repo_name
stringlengths 9
74
| language
stringclasses 1
value | length_bytes
int64 11
9.34M
| extension
stringclasses 2
values | content
stringlengths 11
9.34M
|
---|---|---|---|---|
reznikmm/gela | Ada | 9,890 | adb | with League.Strings.Hash;
with Gela.Element_Visiters;
with Gela.Elements.Defining_Designators;
with Gela.Elements.Defining_Operator_Symbols;
with Gela.Elements.Function_Declarations;
with Gela.Lexical_Types;
package body Gela.Plain_Value_Sets is
------------
-- Concat --
------------
overriding procedure Apply
(Self : in out Value_Set;
Name : Gela.Semantic_Types.Value_Index;
Args : Gela.Semantic_Types.Value_Index;
Value : out Gela.Semantic_Types.Value_Index)
is
use type League.Strings.Universal_String;
use type Gela.Semantic_Types.Value_Index;
Op : Gela.Semantic_Types.Static_Operator;
begin
Value := 0;
if Args = 0 or Name = 0 then
return;
end if;
declare
Item : constant Gela.Plain_Value_Sets.Value :=
Self.Vector.Element (Name);
begin
if Item.Kind = Denote_Function then
Op := Item.Op;
else
return;
end if;
end;
declare
use type Gela.Arithmetic.Integers.Value;
Item : constant Gela.Plain_Value_Sets.Value :=
Self.Vector.Element (Args);
Left : Gela.Plain_Value_Sets.Value;
Right : Gela.Plain_Value_Sets.Value;
begin
if Item.Kind /= List_Value then
Self.String_Literal
(League.Strings.To_Universal_String ("???"),
Value);
return;
end if;
Left := Self.Vector.Element (Item.Head);
Right := Self.Vector.Element (Item.Tail);
case Op is
when Gela.Semantic_Types.Ampersand_Operator =>
if Left.Kind = String_Value and then
Right.Kind = String_Value
then
Self.String_Literal
(Left.String & Right.String,
Value);
end if;
when Gela.Semantic_Types.Hyphen_Operator =>
if Left.Kind = Integer_Value and then
Right.Kind = Integer_Value
then
Self.Put_Value
((Integer_Value, Left.Integer - Right.Integer), Value);
end if;
when Gela.Semantic_Types.Plus_Operator =>
if Left.Kind = Integer_Value and then
Right.Kind = Integer_Value
then
Self.Put_Value
((Integer_Value, Left.Integer + Right.Integer), Value);
end if;
when Gela.Semantic_Types.Star_Operator =>
if Left.Kind = Integer_Value and then
Right.Kind = Integer_Value
then
Self.Put_Value
((Integer_Value, Left.Integer * Right.Integer), Value);
end if;
when Gela.Semantic_Types.Slash_Operator =>
if Left.Kind = Integer_Value and then
Right.Kind = Integer_Value and then
Right.Integer /= Gela.Arithmetic.Integers.Zero -- FIXME
then
Self.Put_Value
((Integer_Value, Left.Integer / Right.Integer), Value);
end if;
when Gela.Semantic_Types.Rem_Operator =>
if Left.Kind = Integer_Value and then
Right.Kind = Integer_Value and then
Right.Integer /= Gela.Arithmetic.Integers.Zero -- FIXME
then
Self.Put_Value
((Integer_Value, Left.Integer rem Right.Integer), Value);
end if;
when others =>
raise Constraint_Error with "unimplemeneted";
end case;
end;
end Apply;
----------
-- List --
----------
overriding procedure List
(Self : in out Value_Set;
Head : Gela.Semantic_Types.Value_Index;
Tail : Gela.Semantic_Types.Value_Index;
Value : out Gela.Semantic_Types.Value_Index)
is
use type Gela.Semantic_Types.Value_Index;
begin
if Tail = 0 then
Value := Head;
elsif Head = 0 then
Value := 0;
else
Self.Put_Value ((List_Value, Head, Tail), Value);
end if;
end List;
----------
-- Name --
----------
overriding procedure Name
(Self : in out Value_Set;
Name : Gela.Elements.Defining_Names.Defining_Name_Access;
Value : out Gela.Semantic_Types.Value_Index)
is
package Get is
type Visiter is new Gela.Element_Visiters.Visiter with record
Result : Gela.Semantic_Types.Value_Index := 0;
end record;
overriding procedure Defining_Operator_Symbol
(V : in out Visiter;
Node : not null Gela.Elements.Defining_Operator_Symbols.
Defining_Operator_Symbol_Access);
overriding procedure Function_Declaration
(Self : in out Visiter;
Node : not null Gela.Elements.Function_Declarations.
Function_Declaration_Access);
end Get;
package body Get is
overriding procedure Defining_Operator_Symbol
(V : in out Visiter;
Node : not null Gela.Elements.Defining_Operator_Symbols.
Defining_Operator_Symbol_Access)
is
use type Gela.Lexical_Types.Symbol;
Symbol : constant Gela.Lexical_Types.Symbol := Node.Full_Name;
Op : constant Gela.Semantic_Types.Static_Operator :=
Gela.Semantic_Types.Static_Operator'Val (Symbol - 1);
Item : constant Gela.Plain_Value_Sets.Value :=
(Denote_Function, Op);
begin
Put_Value (Self => Self,
Item => Item,
Value => V.Result);
end Defining_Operator_Symbol;
overriding procedure Function_Declaration
(Self : in out Visiter;
Node : not null Gela.Elements.Function_Declarations.
Function_Declaration_Access)
is
Name : constant Gela.Elements.Defining_Designators.
Defining_Designator_Access := Node.Names;
begin
Name.Visit (Self);
end Function_Declaration;
end Get;
use type Gela.Elements.Element_Access;
use type Gela.Elements.Defining_Names.Defining_Name_Access;
V : aliased Get.Visiter;
begin
if Name /= null and then Name.Enclosing_Element /= null then
Name.Enclosing_Element.Visit (V);
else
-- FIXME stub until name resolution ready
declare
Item : constant Gela.Plain_Value_Sets.Value :=
(Denote_Function, Gela.Semantic_Types.Ampersand_Operator);
begin
Put_Value (Self => Self,
Item => Item,
Value => V.Result);
end;
end if;
Value := V.Result;
end Name;
----------
-- Hash --
----------
function Hash (X : Value) return Ada.Containers.Hash_Type is
use type Ada.Containers.Hash_Type;
begin
case X.Kind is
when Denote_Function =>
return Gela.Semantic_Types.Static_Operator'Pos (X.Op);
when Integer_Value =>
return Gela.Arithmetic.Integers.Hash (X.Integer);
when String_Value =>
return League.Strings.Hash (X.String);
when List_Value =>
return 65_213 * Ada.Containers.Hash_Type (X.Head) +
Ada.Containers.Hash_Type (X.Tail);
end case;
end Hash;
-----------
-- Image --
-----------
overriding function Image
(Self : Value_Set;
Value : Gela.Semantic_Types.Value_Index)
return League.Strings.Universal_String
is
Item : constant Gela.Plain_Value_Sets.Value :=
Self.Vector.Element (Value);
begin
case Item.Kind is
when String_Value =>
return Item.String;
when Integer_Value =>
return League.Strings.From_UTF_8_String
(Gela.Arithmetic.Integers.Image (Item.Integer));
when others =>
raise Constraint_Error;
end case;
end Image;
---------------
-- Is_String --
---------------
overriding function Is_String
(Self : Value_Set;
Value : Gela.Semantic_Types.Value_Index) return Boolean is
begin
return Self.Vector.Element (Value).Kind = String_Value;
end Is_String;
---------------------
-- Numeric_Literal --
---------------------
overriding procedure Numeric_Literal
(Self : in out Value_Set;
Image : League.Strings.Universal_String;
Value : out Gela.Semantic_Types.Value_Index)
is
X : constant Gela.Arithmetic.Integers.Value :=
Gela.Arithmetic.Integers.Literal (Image.To_UTF_8_String);
Item : constant Gela.Plain_Value_Sets.Value := (Integer_Value, X);
begin
Self.Put_Value (Item, Value);
end Numeric_Literal;
---------------
-- Put_Value --
---------------
not overriding procedure Put_Value
(Self : in out Value_Set;
Item : Value;
Value : out Gela.Semantic_Types.Value_Index)
is
Pos : constant Hash_Maps.Cursor := Self.Map.Find (Item);
begin
if Hash_Maps.Has_Element (Pos) then
Value := Hash_Maps.Element (Pos);
else
Self.Vector.Append (Item);
Value := Self.Vector.Last_Index;
Self.Map.Insert (Item, Value);
end if;
end Put_Value;
--------------------
-- String_Literal --
--------------------
overriding procedure String_Literal
(Self : in out Value_Set;
Image : League.Strings.Universal_String;
Value : out Gela.Semantic_Types.Value_Index)
is
Item : constant Gela.Plain_Value_Sets.Value := (String_Value, Image);
begin
Self.Put_Value (Item, Value);
end String_Literal;
end Gela.Plain_Value_Sets;
|
Ximalas/synth | Ada | 2,411 | ads | -- This file is covered by the Internet Software Consortium (ISC) License
-- Reference: ../License.txt
package PortScan.Buildcycle.Ports is
function build_package (id : builders;
sequence_id : port_id;
interactive : Boolean := False;
interphase : String := "") return Boolean;
-- Compile status of builder for the curses display
function builder_status (id : builders;
shutdown : Boolean := False;
idle : Boolean := False)
return Display.builder_rec;
-- Expose for build log
function last_build_phase (id : builders) return String;
private
type phases is (check_sanity, pkg_depends, fetch_depends, fetch, checksum,
extract_depends, extract, patch_depends, patch,
build_depends, lib_depends, configure, build, run_depends,
stage, test, check_plist, pkg_package, install_mtree,
install, deinstall);
type dim_phase_trackers is array (builders) of phases;
phase_trackers : dim_phase_trackers;
-- If the afterphase string matches a legal phase name then that phase
-- is returned, otherwise the value of check-sanity is returned. Allowed
-- phases are: extract/patch/configure/build/stage/install/deinstall.
-- check-sanity is considered a negative response
-- stage includes check-plist
function valid_test_phase (afterphase : String) return phases;
function exec_phase (id : builders; phase : phases;
time_limit : execution_limit;
phaseenv : String := "";
depends_phase : Boolean := False;
skip_header : Boolean := False;
skip_footer : Boolean := False)
return Boolean;
function exec_phase_generic (id : builders; phase : phases) return Boolean;
function exec_phase_depends (id : builders; phase : phases) return Boolean;
function exec_phase_deinstall (id : builders) return Boolean;
function exec_phase_build (id : builders) return Boolean;
function phase2str (phase : phases) return String;
function max_time_without_output (phase : phases) return execution_limit;
end PortScan.Buildcycle.Ports;
|
AdaCore/gpr | Ada | 314 | adb | --
-- Copyright (C) 2019-2023, AdaCore
--
-- SPDX-License-Identifier: Apache-2.0
--
with Ada.Text_IO;
with GPR2.Path_Name;
procedure Main is
use Ada;
use GPR2;
File : constant Path_Name.Object := Path_Name.Create_File ("demo.gpr");
begin
Text_IO.Put_Line ("MD5: " & File.Content_MD5);
end Main;
|
zhmu/ananas | Ada | 3,027 | adb | ------------------------------------------------------------------------------
-- --
-- GNAT RUN-TIME LIBRARY (GNARL) COMPONENTS --
-- --
-- SYSTEM.TASKING.ASYNC_DELAYS.ENQUEUE_RT --
-- --
-- B o d y --
-- --
-- Copyright (C) 1998-2022, Free Software Foundation, Inc. --
-- --
-- GNARL is free software; you can redistribute it and/or modify it under --
-- terms of the GNU General Public License as published by the Free Soft- --
-- ware Foundation; either version 3, or (at your option) any later ver- --
-- sion. GNAT is distributed in the hope that it will be useful, but WITH- --
-- OUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY --
-- or FITNESS FOR A PARTICULAR PURPOSE. --
-- --
-- As a special exception under Section 7 of GPL version 3, you are granted --
-- additional permissions described in the GCC Runtime Library Exception, --
-- version 3.1, as published by the Free Software Foundation. --
-- --
-- You should have received a copy of the GNU General Public License and --
-- a copy of the GCC Runtime Library Exception along with this program; --
-- see the files COPYING3 and COPYING.RUNTIME respectively. If not, see --
-- <http://www.gnu.org/licenses/>. --
-- --
-- GNARL was developed by the GNARL team at Florida State University. --
-- Extensive contributions were provided by Ada Core Technologies, Inc. --
-- --
------------------------------------------------------------------------------
with Ada.Real_Time;
with Ada.Real_Time.Delays;
with System.Task_Primitives.Operations;
with System.Tasking.Initialization;
function System.Tasking.Async_Delays.Enqueue_RT
(T : Ada.Real_Time.Time;
D : Delay_Block_Access) return Boolean
is
use type Ada.Real_Time.Time; -- for "=" operator
begin
if T <= Ada.Real_Time.Clock then
D.Timed_Out := True;
System.Task_Primitives.Operations.Yield;
return False;
end if;
System.Tasking.Initialization.Defer_Abort
(System.Task_Primitives.Operations.Self);
Time_Enqueue (Ada.Real_Time.Delays.To_Duration (T), D);
return True;
end System.Tasking.Async_Delays.Enqueue_RT;
|
adrianhoe/adactfft | Ada | 2,486 | adb | --------------------------------------------------------------------------------
-- * Prog name ctffttest.adb
-- * Project name ctffttest
-- *
-- * Version 1.0
-- * Last update 11/5/08
-- *
-- * Created by Adrian Hoe on 11/5/08.
-- * Copyright (c) 2008 AdaStar Informatics http://adastarinformatics.com
-- * All rights reserved.
-- *
--------------------------------------------------------------------------------
with Ada.Calendar;
with Ada.Text_IO, Ada.Float_Text_IO;
with Ada.Numerics, Ada.Numerics.Generic_Elementary_Functions;
with Ada.Numerics.Float_Random;
use Ada.Calendar;
use Ada.Numerics, Ada.Numerics.FLoat_Random;
use Ada.Text_Io, Ada.Float_Text_IO;
with Ctfft, Vector;
use Ctfft, Vector;
procedure Ctffttest is
package Math is new Ada.Numerics.Generic_Elementary_Functions (Real_Number);
use Math;
Q : constant := 30.0 * 2.0 * Pi / 2 ** 8;
G : Generator;
Start_Time, End_Time : Time;
Total_Time : Duration;
Data_1 : Real_Vector_Type (1 .. 8) := (0.0, 1.0, 2.0, 3.0,
4.0, 5.0, 6.0, 7.0);
Data_2 : Real_Vector_Type (1 .. 32) := (0.0, 1.0, 2.0, 3.0,
4.0, 5.0, 6.0, 7.0,
8.0, 9.0, 10.0, 11.0,
12.0, 13.0, 14.0, 15.0,
16.0, 17.0, 18.0, 19.0,
20.0, 21.0, 22.0, 23.0,
24.0, 25.0, 26.0, 27.0,
28.0, 29.0, 30.0, 31.0);
Data_3 : Real_Vector_Type (1 .. 2 ** 4);
begin
-- Put (Data_1, 8);
-- New_Line;
Fft (Data_1);
-- Put (Data_1, 8);
New_Line;
-- Put_Line ("------------------------------------------------------------");
-- New_Line;
-- Put (Data_2, 8);
-- New_Line;
Fft (Data_2);
-- Put (Data_2, 8);
New_Line;
-- Put_Line ("------------------------------------------------------------");
New_Line;
for N in Data_3'Range loop
Data_3 (N) := Sin (Q * Real_Number (N)) + Real_Number (Random (G)) - 1.0 / 2.0;
end loop;
-- Put (Data_3, 8);
Start_Time := Clock;
Fft (Data_3);
End_Time := Clock;
Total_Time := End_Time - Start_Time;
Put ("Computation time: ");
Put (Float (Total_Time), Exp => 0, Aft => 8);
New_Line;
end Ctffttest;
|
OneWingedShark/Risi | Ada | 1,319 | ads | Pragma Ada_2012;
Pragma Wide_Character_Encoding( UTF8 );
limited private with
Risi_Script.Types.Internals;
Package Risi_Script.Types.Implementation is
Type Representation is private;
Function Create( Data_Type : Enumeration ) return Representation;
Function Image( Item : Representation;
Sub_Escape : Boolean:= False
) return String;
Type Variable_List is Array(Positive Range <>) of Representation;
Function Get_Indicator ( Input : Representation ) return Indicator;
Function Get_Enumeration( Input : Representation ) return Enumeration;
Private
Type Internal_Representation(<>);
Type Representation is not null access Internal_Representation;
Package Internal Renames Risi_Script.Types.Internals;
Function Internal_Create ( Item : Internal.Integer_Type ) return Representation;
Function Internal_Create ( Item : Internal.Real_Type ) return Representation;
Function Internal_Create ( Item : Internal.Pointer_Type ) return Representation;
Function Internal_Create ( Item : Internal.Fixed_Type ) return Representation;
Function Internal_Create ( Item : Internal.Boolean_Type ) return Representation;
Function Internal_Create ( Item : Internal.Func_Type ) return Representation;
End Risi_Script.Types.Implementation;
|
Fabien-Chouteau/samd51-hal | Ada | 6,866 | ads | pragma Style_Checks (Off);
-- This spec has been automatically generated from ATSAMD51G19A.svd
pragma Restrictions (No_Elaboration_Code);
with HAL;
with System;
package SAM_SVD.PCC is
pragma Preelaborate;
---------------
-- Registers --
---------------
subtype PCC_MR_DSIZE_Field is HAL.UInt2;
subtype PCC_MR_ISIZE_Field is HAL.UInt3;
subtype PCC_MR_CID_Field is HAL.UInt2;
-- Mode Register
type PCC_MR_Register is record
-- Parallel Capture Enable
PCEN : Boolean := False;
-- unspecified
Reserved_1_3 : HAL.UInt3 := 16#0#;
-- Data size
DSIZE : PCC_MR_DSIZE_Field := 16#0#;
-- unspecified
Reserved_6_7 : HAL.UInt2 := 16#0#;
-- Scale data
SCALE : Boolean := False;
-- Always Sampling
ALWYS : Boolean := False;
-- Half Sampling
HALFS : Boolean := False;
-- First sample
FRSTS : Boolean := False;
-- unspecified
Reserved_12_15 : HAL.UInt4 := 16#0#;
-- Input Data Size
ISIZE : PCC_MR_ISIZE_Field := 16#0#;
-- unspecified
Reserved_19_29 : HAL.UInt11 := 16#0#;
-- Clear If Disabled
CID : PCC_MR_CID_Field := 16#0#;
end record
with Volatile_Full_Access, Object_Size => 32,
Bit_Order => System.Low_Order_First;
for PCC_MR_Register use record
PCEN at 0 range 0 .. 0;
Reserved_1_3 at 0 range 1 .. 3;
DSIZE at 0 range 4 .. 5;
Reserved_6_7 at 0 range 6 .. 7;
SCALE at 0 range 8 .. 8;
ALWYS at 0 range 9 .. 9;
HALFS at 0 range 10 .. 10;
FRSTS at 0 range 11 .. 11;
Reserved_12_15 at 0 range 12 .. 15;
ISIZE at 0 range 16 .. 18;
Reserved_19_29 at 0 range 19 .. 29;
CID at 0 range 30 .. 31;
end record;
-- Interrupt Enable Register
type PCC_IER_Register is record
-- Write-only. Data Ready Interrupt Enable
DRDY : Boolean := False;
-- Write-only. Overrun Error Interrupt Enable
OVRE : Boolean := False;
-- unspecified
Reserved_2_31 : HAL.UInt30 := 16#0#;
end record
with Volatile_Full_Access, Object_Size => 32,
Bit_Order => System.Low_Order_First;
for PCC_IER_Register use record
DRDY at 0 range 0 .. 0;
OVRE at 0 range 1 .. 1;
Reserved_2_31 at 0 range 2 .. 31;
end record;
-- Interrupt Disable Register
type PCC_IDR_Register is record
-- Write-only. Data Ready Interrupt Disable
DRDY : Boolean := False;
-- Write-only. Overrun Error Interrupt Disable
OVRE : Boolean := False;
-- unspecified
Reserved_2_31 : HAL.UInt30 := 16#0#;
end record
with Volatile_Full_Access, Object_Size => 32,
Bit_Order => System.Low_Order_First;
for PCC_IDR_Register use record
DRDY at 0 range 0 .. 0;
OVRE at 0 range 1 .. 1;
Reserved_2_31 at 0 range 2 .. 31;
end record;
-- Interrupt Mask Register
type PCC_IMR_Register is record
-- Read-only. Data Ready Interrupt Mask
DRDY : Boolean;
-- Read-only. Overrun Error Interrupt Mask
OVRE : Boolean;
-- unspecified
Reserved_2_31 : HAL.UInt30;
end record
with Volatile_Full_Access, Object_Size => 32,
Bit_Order => System.Low_Order_First;
for PCC_IMR_Register use record
DRDY at 0 range 0 .. 0;
OVRE at 0 range 1 .. 1;
Reserved_2_31 at 0 range 2 .. 31;
end record;
-- Interrupt Status Register
type PCC_ISR_Register is record
-- Read-only. Data Ready Interrupt Status
DRDY : Boolean;
-- Read-only. Overrun Error Interrupt Status
OVRE : Boolean;
-- unspecified
Reserved_2_31 : HAL.UInt30;
end record
with Volatile_Full_Access, Object_Size => 32,
Bit_Order => System.Low_Order_First;
for PCC_ISR_Register use record
DRDY at 0 range 0 .. 0;
OVRE at 0 range 1 .. 1;
Reserved_2_31 at 0 range 2 .. 31;
end record;
subtype PCC_WPMR_WPKEY_Field is HAL.UInt24;
-- Write Protection Mode Register
type PCC_WPMR_Register is record
-- Write Protection Enable
WPEN : Boolean := False;
-- unspecified
Reserved_1_7 : HAL.UInt7 := 16#0#;
-- Write Protection Key
WPKEY : PCC_WPMR_WPKEY_Field := 16#0#;
end record
with Volatile_Full_Access, Object_Size => 32,
Bit_Order => System.Low_Order_First;
for PCC_WPMR_Register use record
WPEN at 0 range 0 .. 0;
Reserved_1_7 at 0 range 1 .. 7;
WPKEY at 0 range 8 .. 31;
end record;
subtype PCC_WPSR_WPVSRC_Field is HAL.UInt16;
-- Write Protection Status Register
type PCC_WPSR_Register is record
-- Read-only. Write Protection Violation Source
WPVS : Boolean;
-- unspecified
Reserved_1_7 : HAL.UInt7;
-- Read-only. Write Protection Violation Status
WPVSRC : PCC_WPSR_WPVSRC_Field;
-- unspecified
Reserved_24_31 : HAL.UInt8;
end record
with Volatile_Full_Access, Object_Size => 32,
Bit_Order => System.Low_Order_First;
for PCC_WPSR_Register use record
WPVS at 0 range 0 .. 0;
Reserved_1_7 at 0 range 1 .. 7;
WPVSRC at 0 range 8 .. 23;
Reserved_24_31 at 0 range 24 .. 31;
end record;
-----------------
-- Peripherals --
-----------------
-- Parallel Capture Controller
type PCC_Peripheral is record
-- Mode Register
MR : aliased PCC_MR_Register;
-- Interrupt Enable Register
IER : aliased PCC_IER_Register;
-- Interrupt Disable Register
IDR : aliased PCC_IDR_Register;
-- Interrupt Mask Register
IMR : aliased PCC_IMR_Register;
-- Interrupt Status Register
ISR : aliased PCC_ISR_Register;
-- Reception Holding Register
RHR : aliased HAL.UInt32;
-- Write Protection Mode Register
WPMR : aliased PCC_WPMR_Register;
-- Write Protection Status Register
WPSR : aliased PCC_WPSR_Register;
end record
with Volatile;
for PCC_Peripheral use record
MR at 16#0# range 0 .. 31;
IER at 16#4# range 0 .. 31;
IDR at 16#8# range 0 .. 31;
IMR at 16#C# range 0 .. 31;
ISR at 16#10# range 0 .. 31;
RHR at 16#14# range 0 .. 31;
WPMR at 16#E0# range 0 .. 31;
WPSR at 16#E4# range 0 .. 31;
end record;
-- Parallel Capture Controller
PCC_Periph : aliased PCC_Peripheral
with Import, Address => PCC_Base;
end SAM_SVD.PCC;
|
pvrego/adaino | Ada | 1,048 | ads | -- =============================================================================
-- Package AVR.BLS
--
-- Handles the Boot Loader Support.
-- =============================================================================
package AVR.BLS is
type Store_Program_Memory_Control_And_Status_Register_Type is
record
SPMEN : Boolean; -- Store Program Memory Enable
PGERS : Boolean; -- Page Erase
PGWRT : Boolean; -- Page Write
BLBSET : Boolean; -- Boot Lock Bit Set
RWWSRE : Boolean; -- Read-While-Write Section Read Enable
SIGRD : Boolean; -- Signature Row Read
RWWSB : Boolean; -- Read-While-Write Section Busy
SPMIE : Boolean; -- SPM Interrupt Enable
end record;
pragma Pack (Store_Program_Memory_Control_And_Status_Register_Type);
for Store_Program_Memory_Control_And_Status_Register_Type'Size use BYTE_SIZE;
Reg_SPMCSR : Store_Program_Memory_Control_And_Status_Register_Type;
for Reg_SPMCSR'Address use System'To_Address (16#57#);
end AVR.BLS;
|
AdaCore/libadalang | Ada | 178 | adb | procedure A is
type Arr is array (Integer range <>) of Integer;
type Arr_Access is access Arr;
X : Arr_Access (1 .. 4);
pragma Test_Statement;
begin
null;
end A;
|
mokafiht/u2f_key_SDCC | Ada | 27,461 | adb | M:main
S:Lmain.aligned_alloc$size$1$32({2}SI:U),B,1,-4
S:Lmain.aligned_alloc$alignment$1$32({2}SI:U),B,1,1
F:G$init$0$0({2}DF,SV:S),C,0,0,0,0,0
S:Lmain.init$ap$1$157({3}DG,STAPP_DATA:S),R,0,0,[]
F:G$set_app_error$0$0({2}DF,SV:S),Z,0,0,0,0,0
S:Lmain.set_app_error$ec$1$159({1}SC:U),R,0,0,[]
F:G$get_app_error$0$0({2}DF,SC:U),Z,0,0,0,0,0
F:G$get_app_state$0$0({2}DF,SC:U),Z,0,0,0,0,0
F:G$set_app_state$0$0({2}DF,SV:S),Z,0,0,0,0,0
S:Lmain.set_app_state$s$1$163({1}SC:U),R,0,0,[]
F:G$app_wink$0$0({2}DF,SV:S),Z,0,0,0,0,0
S:Lmain.app_wink$c$1$165({4}SL:U),R,0,0,[]
F:G$set_app_u2f_hid_msg$0$0({2}DF,SV:S),Z,0,0,0,0,0
S:Lmain.set_app_u2f_hid_msg$msg$1$167({3}DG,STu2f_hid_msg:S),R,0,0,[r5,r6,r7]
F:G$rgb$0$0({2}DF,SV:S),Z,0,0,0,0,0
S:Lmain.rgb$g$1$169({1}SC:U),B,1,-3
S:Lmain.rgb$b$1$169({1}SC:U),B,1,-4
S:Lmain.rgb$r$1$169({1}SC:U),R,0,0,[r7]
F:G$main$0$0({2}DF,SI:S),C,0,11,0,0,0
S:Lmain.main$ms_heart$1$178({2}SI:U),B,1,10
S:Lmain.main$ms_wink$1$178({2}SI:U),B,1,12
S:Lmain.main$ms_grad$1$178({2}SI:U),B,1,14
S:Lmain.main$winks$1$178({1}SC:U),B,1,16
S:Lmain.main$light$1$178({1}SC:U),B,1,17
S:Lmain.main$grad_dir$1$178({1}SC:U),B,1,18
S:Lmain.main$grad_inc$1$178({1}SC:S),R,0,0,[]
S:Lmain.main$ii$1$178({1}SC:S),B,1,11
S:Lmain.main$i$1$178({2}SI:U),B,1,12
S:Lmain.main$clear$1$178({3}DG,SC:U),B,1,19
S:Lmain.main$i$2$180({4}SL:S),R,0,0,[r2,r3,r6,r7]
S:Lmain.main$sloc0$1$0({2}SI:U),B,1,1
S:Lmain.main$sloc1$1$0({1}SC:S),B,1,23
S:Lmain.main$sloc2$1$0({2}SI:U),B,1,3
S:Lmain.main$sloc3$1$0({3}DG,SC:U),B,1,5
S:Lmain.main$sloc4$1$0({2}SI:U),B,1,8
T:Fmain$SI_UU32[({0}S:S$u32$0$0({4}SL:U),Z,0,0)({0}S:S$s32$0$0({4}SL:S),Z,0,0)({0}S:S$uu16$0$0({4}DA2d,STSI_UU16:S),Z,0,0)({0}S:S$u16$0$0({4}DA2d,SI:U),Z,0,0)({0}S:S$s16$0$0({4}DA2d,SI:S),Z,0,0)({0}S:S$u8$0$0({4}DA4d,SC:U),Z,0,0)({0}S:S$s8$0$0({4}DA4d,SC:S),Z,0,0)]
T:Fmain$SI_UU16[({0}S:S$u16$0$0({2}SI:U),Z,0,0)({0}S:S$s16$0$0({2}SI:S),Z,0,0)({0}S:S$u8$0$0({2}DA2d,SC:U),Z,0,0)({0}S:S$s8$0$0({2}DA2d,SC:S),Z,0,0)]
T:Fmain$u2f_hid_nonce[({0}S:S$nonce$0$0({8}DA8d,SC:U),Z,0,0)]
T:Fmain$config_msg[({0}S:S$cmd$0$0({1}SC:U),Z,0,0)({1}S:S$buf$0$0({63}DA63d,SC:U),Z,0,0)]
T:Fmain$SI_GEN_PTR[({0}S:S$u8$0$0({3}DA3d,SC:U),Z,0,0)({0}S:S$gptr$0$0({3}ST__00000000:S),Z,0,0)]
T:Fmain$u2f_register_request[({0}S:S$chal$0$0({32}DA32d,SC:U),Z,0,0)({32}S:S$app$0$0({32}DA32d,SC:U),Z,0,0)]
T:Fmain$__00000000[({0}S:S$memtype$0$0({1}SC:U),Z,0,0)({1}S:S$address$0$0({2}STSI_UU16:S),Z,0,0)]
T:Fmain$__00000010[({0}S:S$bits$0$0({1}ST__00000011:S),Z,0,0)({0}S:S$c$0$0({1}SC:U),Z,0,0)]
T:Fmain$__00000001[({0}S:S$bmRequestType$0$0({1}ST__00000002:S),Z,0,0)({1}S:S$bRequest$0$0({1}SC:U),Z,0,0)({2}S:S$wValue$0$0({2}SI:U),Z,0,0)({4}S:S$wIndex$0$0({2}SI:U),Z,0,0)({6}S:S$wLength$0$0({2}SI:U),Z,0,0)]
T:Fmain$__00000011[({0}S:S$callback$0$0({1}SB0$1:U),Z,0,0)({0}S:S$outPacketPending$0$0({1}SB1$1:U),Z,0,0)({0}S:S$inPacketPending$0$0({1}SB2$1:U),Z,0,0)({0}S:S$waitForRead$0$0({1}SB3$1:U),Z,0,0)]
T:Fmain$__00000002[({0}S:S$Recipient$0$0({1}SB0$5:U),Z,0,0)({0}S:S$Type$0$0({1}SB5$2:U),Z,0,0)({0}S:S$Direction$0$0({1}SB7$1:U),Z,0,0)]
T:Fmain$__00000012[({0}S:S$configurationValue$0$0({1}SC:U),Z,0,0)({1}S:S$numberOfStrings$0$0({1}SC:U),Z,0,0)({2}S:S$state$0$0({1}SC:U),Z,0,0)({3}S:S$savedState$0$0({1}SC:U),Z,0,0)({4}S:S$setup$0$0({8}ST__00000001:S),Z,0,0)({12}S:S$ep0String$0$0({1}ST__00000013:S),Z,0,0)({13}S:S$ep0$0$0({7}ST__00000009:S),Z,0,0)({20}S:S$ep1in$0$0({7}ST__00000009:S),Z,0,0)({27}S:S$ep1out$0$0({7}ST__00000009:S),Z,0,0)({34}S:S$deviceDescriptor$0$0({3}DG,ST__00000004:S),Z,0,0)({37}S:S$configDescriptor$0$0({3}DG,ST__00000005:S),Z,0,0)({40}S:S$stringDescriptors$0$0({3}DG,DG,DG,SC:U),Z,0,0)]
T:Fmain$__00000003[({0}S:S$setup$0$0({8}ST__00000001:S),Z,0,0)({0}S:S$c$0$0({8}DA8d,SC:U),Z,0,0)({0}S:S$i$0$0({8}DA4d,SI:U),Z,0,0)]
T:Fmain$__00000013[({0}S:S$encoding$0$0({1}ST__00000014:S),Z,0,0)({0}S:S$c$0$0({1}SC:U),Z,0,0)]
T:Fmain$__00000004[({0}S:S$bLength$0$0({1}SC:U),Z,0,0)({1}S:S$bDescriptorType$0$0({1}SC:U),Z,0,0)({2}S:S$bcdUSB$0$0({2}SI:U),Z,0,0)({4}S:S$bDeviceClass$0$0({1}SC:U),Z,0,0)({5}S:S$bDeviceSubClass$0$0({1}SC:U),Z,0,0)({6}S:S$bDeviceProtocol$0$0({1}SC:U),Z,0,0)({7}S:S$bMaxPacketSize0$0$0({1}SC:U),Z,0,0)({8}S:S$idVendor$0$0({2}SI:U),Z,0,0)({10}S:S$idProduct$0$0({2}SI:U),Z,0,0)({12}S:S$bcdDevice$0$0({2}SI:U),Z,0,0)({14}S:S$iManufacturer$0$0({1}SC:U),Z,0,0)({15}S:S$iProduct$0$0({1}SC:U),Z,0,0)({16}S:S$iSerialNumber$0$0({1}SC:U),Z,0,0)({17}S:S$bNumConfigurations$0$0({1}SC:U),Z,0,0)]
T:Fmain$__00000014[({0}S:S$type$0$0({1}SB0$7:U),Z,0,0)({0}S:S$init$0$0({1}SB7$1:U),Z,0,0)]
T:Fmain$__00000005[({0}S:S$bLength$0$0({1}SC:U),Z,0,0)({1}S:S$bDescriptorType$0$0({1}SC:U),Z,0,0)({2}S:S$wTotalLength$0$0({2}SI:U),Z,0,0)({4}S:S$bNumInterfaces$0$0({1}SC:U),Z,0,0)({5}S:S$bConfigurationValue$0$0({1}SC:U),Z,0,0)({6}S:S$iConfiguration$0$0({1}SC:U),Z,0,0)({7}S:S$bmAttributes$0$0({1}SC:U),Z,0,0)({8}S:S$bMaxPower$0$0({1}SC:U),Z,0,0)]
T:Fmain$__00000015[({0}S:S$init$0$0({60}ST__00000016:S),Z,0,0)({0}S:S$cont$0$0({60}ST__00000017:S),Z,0,0)]
T:Fmain$__00000006[({0}S:S$bLength$0$0({1}SC:U),Z,0,0)({1}S:S$bDescriptorType$0$0({1}SC:U),Z,0,0)({2}S:S$bInterfaceNumber$0$0({1}SC:U),Z,0,0)({3}S:S$bAlternateSetting$0$0({1}SC:U),Z,0,0)({4}S:S$bNumEndpoints$0$0({1}SC:U),Z,0,0)({5}S:S$bInterfaceClass$0$0({1}SC:U),Z,0,0)({6}S:S$bInterfaceSubClass$0$0({1}SC:U),Z,0,0)({7}S:S$bInterfaceProtocol$0$0({1}SC:U),Z,0,0)({8}S:S$iInterface$0$0({1}SC:U),Z,0,0)]
T:Fmain$__00000016[({0}S:S$cmd$0$0({1}SC:U),Z,0,0)({1}S:S$bcnth$0$0({1}SC:U),Z,0,0)({2}S:S$bcntl$0$0({1}SC:U),Z,0,0)({3}S:S$payload$0$0({57}DA57d,SC:U),Z,0,0)]
T:Fmain$__00000007[({0}S:S$bLength$0$0({1}SC:U),Z,0,0)({1}S:S$bDescriptorType$0$0({1}SC:U),Z,0,0)({2}S:S$bEndpointAddress$0$0({1}SC:U),Z,0,0)({3}S:S$bmAttributes$0$0({1}SC:U),Z,0,0)({4}S:S$wMaxPacketSize$0$0({2}SI:U),Z,0,0)({6}S:S$bInterval$0$0({1}SC:U),Z,0,0)]
T:Fmain$__00000017[({0}S:S$seq$0$0({1}SC:U),Z,0,0)({1}S:S$payload$0$0({59}DA59d,SC:U),Z,0,0)]
T:Fmain$__00000008[({0}S:S$deviceDescriptor$0$0({3}DG,ST__00000004:S),Z,0,0)({3}S:S$configDescriptor$0$0({3}DG,SC:U),Z,0,0)({6}S:S$stringDescriptors$0$0({3}DG,DG,DG,SC:U),Z,0,0)({9}S:S$numberOfStrings$0$0({1}SC:U),Z,0,0)]
T:Fmain$u2f_hid_msg[({0}S:S$cid$0$0({4}SL:U),Z,0,0)({4}S:S$pkt$0$0({60}ST__00000015:S),Z,0,0)]
T:Fmain$__00000009[({0}S:S$buf$0$0({3}DG,SC:U),Z,0,0)({3}S:S$remaining$0$0({2}SI:U),Z,0,0)({5}S:S$state$0$0({1}SC:U),Z,0,0)({6}S:S$misc$0$0({1}ST__00000010:S),Z,0,0)]
T:Fmain$APP_DATA[({0}S:S$tmp$0$0({70}DA70d,SC:U),Z,0,0)]
T:Fmain$atecc_key_config[({0}S:S$private$0$0({1}SB0$1:U),Z,0,0)({0}S:S$pubinfo$0$0({1}SB1$1:U),Z,0,0)({0}S:S$keytype$0$0({1}SB2$3:U),Z,0,0)({0}S:S$lockable$0$0({1}SB5$1:U),Z,0,0)({0}S:S$reqrandom$0$0({1}SB6$1:U),Z,0,0)({0}S:S$reqauth$0$0({1}SB7$1:U),Z,0,0)({1}S:S$authkey$0$0({1}SB0$4:U),Z,0,0)({1}S:S$intrusiondisable$0$0({1}SB4$1:U),Z,0,0)({1}S:S$rfu$0$0({1}SB5$1:U),Z,0,0)({1}S:S$x509id$0$0({1}SB6$2:U),Z,0,0)]
T:Fmain$u2f_request_apdu[({0}S:S$cla$0$0({1}SC:U),Z,0,0)({1}S:S$ins$0$0({1}SC:U),Z,0,0)({2}S:S$p1$0$0({1}SC:U),Z,0,0)({3}S:S$p2$0$0({1}SC:U),Z,0,0)({4}S:S$LC1$0$0({1}SC:U),Z,0,0)({5}S:S$LC2$0$0({1}SC:U),Z,0,0)({6}S:S$LC3$0$0({1}SC:U),Z,0,0)({7}S:S$payload$0$0({102}DA102d,SC:U),Z,0,0)]
T:Fmain$u2f_hid_init_response[({0}S:S$cid$0$0({4}SL:U),Z,0,0)({4}S:S$version_id$0$0({1}SC:U),Z,0,0)({5}S:S$version_major$0$0({1}SC:U),Z,0,0)({6}S:S$version_minor$0$0({1}SC:U),Z,0,0)({7}S:S$version_build$0$0({1}SC:U),Z,0,0)({8}S:S$cflags$0$0({1}SC:U),Z,0,0)]
T:Fmain$smb_interrupt_interface[({0}S:S$addr$0$0({1}SC:U),Z,0,0)({1}S:S$crc$0$0({2}SI:U),Z,0,0)({3}S:S$crc_offset$0$0({1}SC:U),Z,0,0)({4}S:S$write_buf$0$0({3}DG,SC:U),Z,0,0)({7}S:S$write_len$0$0({1}SC:U),Z,0,0)({8}S:S$write_offset$0$0({1}SC:U),Z,0,0)({9}S:S$read_len$0$0({1}SC:U),Z,0,0)({10}S:S$read_offset$0$0({1}SC:U),Z,0,0)({11}S:S$read_buf$0$0({3}DG,SC:U),Z,0,0)({14}S:S$write_ext_buf$0$0({3}DG,SC:U),Z,0,0)({17}S:S$write_ext_len$0$0({1}SC:U),Z,0,0)({18}S:S$write_ext_offset$0$0({1}SC:U),Z,0,0)({19}S:S$preflags$0$0({1}SC:U),Z,0,0)]
T:Fmain$u2f_ec_point[({0}S:S$fmt$0$0({1}SC:U),Z,0,0)({1}S:S$x$0$0({32}DA32d,SC:U),Z,0,0)({33}S:S$y$0$0({32}DA32d,SC:U),Z,0,0)]
T:Fmain$atecc_response[({0}S:S$len$0$0({1}SC:U),Z,0,0)({1}S:S$buf$0$0({3}DG,SC:U),Z,0,0)]
T:Fmain$u2f_authenticate_request[({0}S:S$chal$0$0({32}DA32d,SC:U),Z,0,0)({32}S:S$app$0$0({32}DA32d,SC:U),Z,0,0)({64}S:S$khl$0$0({1}SC:U),Z,0,0)({65}S:S$kh$0$0({36}DA36d,SC:U),Z,0,0)]
T:Fmain$atecc_slot_config[({0}S:S$readkey$0$0({1}SB0$4:U),Z,0,0)({0}S:S$nomac$0$0({1}SB4$1:U),Z,0,0)({0}S:S$limiteduse$0$0({1}SB5$1:U),Z,0,0)({0}S:S$encread$0$0({1}SB6$1:U),Z,0,0)({0}S:S$secret$0$0({1}SB7$1:U),Z,0,0)({1}S:S$writekey$0$0({1}SB0$4:U),Z,0,0)({1}S:S$writeconfig$0$0({1}SB4$4:U),Z,0,0)]
S:G$SMB_addr$0$0({1}SC:U),E,0,0
S:G$SMB_write_len$0$0({1}SC:U),E,0,0
S:G$SMB_write_offset$0$0({1}SC:U),E,0,0
S:G$SMB_read_len$0$0({1}SC:U),E,0,0
S:G$SMB_read_offset$0$0({1}SC:U),E,0,0
S:G$SMB_write_ext_len$0$0({1}SC:U),E,0,0
S:G$SMB_write_ext_offset$0$0({1}SC:U),E,0,0
S:G$SMB_crc_offset$0$0({1}SC:U),E,0,0
S:G$SMB_FLAGS$0$0({1}SC:U),E,0,0
S:G$_MS_$0$0({4}SL:U),E,0,0
S:G$appdata$0$0({70}STAPP_DATA:S),E,0,0
S:G$hidmsgbuf$0$0({64}DA64d,SC:U),F,0,0
S:G$SMB_write_buf$0$0({3}DG,SC:U),F,0,0
S:G$SMB_read_buf$0$0({3}DG,SC:U),F,0,0
S:G$SMB_write_ext_buf$0$0({3}DG,SC:U),F,0,0
S:G$SMB_preflags$0$0({1}SC:U),F,0,0
S:G$SMB_crc$0$0({2}SI:U),F,0,0
S:G$myUsbDevice$0$0({43}ST__00000012:S),F,0,0
S:G$error$0$0({1}SC:U),F,0,0
S:G$state$0$0({1}SC:U),F,0,0
S:G$winkc$0$0({4}SL:U),F,0,0
S:G$hid_msg$0$0({3}DG,STu2f_hid_msg:S),F,0,0
S:G$ACC$0$0({1}SC:U),I,0,0
S:G$ADC0AC$0$0({1}SC:U),I,0,0
S:G$ADC0CF$0$0({1}SC:U),I,0,0
S:G$ADC0CN0$0$0({1}SC:U),I,0,0
S:G$ADC0CN1$0$0({1}SC:U),I,0,0
S:G$ADC0GTH$0$0({1}SC:U),I,0,0
S:G$ADC0GTL$0$0({1}SC:U),I,0,0
S:G$ADC0H$0$0({1}SC:U),I,0,0
S:G$ADC0L$0$0({1}SC:U),I,0,0
S:G$ADC0LTH$0$0({1}SC:U),I,0,0
S:G$ADC0LTL$0$0({1}SC:U),I,0,0
S:G$ADC0MX$0$0({1}SC:U),I,0,0
S:G$ADC0PWR$0$0({1}SC:U),I,0,0
S:G$ADC0TK$0$0({1}SC:U),I,0,0
S:G$B$0$0({1}SC:U),I,0,0
S:G$CKCON0$0$0({1}SC:U),I,0,0
S:G$CKCON1$0$0({1}SC:U),I,0,0
S:G$CLKSEL$0$0({1}SC:U),I,0,0
S:G$CMP0CN0$0$0({1}SC:U),I,0,0
S:G$CMP0CN1$0$0({1}SC:U),I,0,0
S:G$CMP0MD$0$0({1}SC:U),I,0,0
S:G$CMP0MX$0$0({1}SC:U),I,0,0
S:G$CMP1CN0$0$0({1}SC:U),I,0,0
S:G$CMP1CN1$0$0({1}SC:U),I,0,0
S:G$CMP1MD$0$0({1}SC:U),I,0,0
S:G$CMP1MX$0$0({1}SC:U),I,0,0
S:G$CRC0CN0$0$0({1}SC:U),I,0,0
S:G$CRC0CN1$0$0({1}SC:U),I,0,0
S:G$CRC0CNT$0$0({1}SC:U),I,0,0
S:G$CRC0DAT$0$0({1}SC:U),I,0,0
S:G$CRC0FLIP$0$0({1}SC:U),I,0,0
S:G$CRC0IN$0$0({1}SC:U),I,0,0
S:G$CRC0ST$0$0({1}SC:U),I,0,0
S:G$DERIVID$0$0({1}SC:U),I,0,0
S:G$DEVICEID$0$0({1}SC:U),I,0,0
S:G$DPH$0$0({1}SC:U),I,0,0
S:G$DPL$0$0({1}SC:U),I,0,0
S:G$EIE1$0$0({1}SC:U),I,0,0
S:G$EIE2$0$0({1}SC:U),I,0,0
S:G$EIP1$0$0({1}SC:U),I,0,0
S:G$EIP1H$0$0({1}SC:U),I,0,0
S:G$EIP2$0$0({1}SC:U),I,0,0
S:G$EIP2H$0$0({1}SC:U),I,0,0
S:G$EMI0CN$0$0({1}SC:U),I,0,0
S:G$FLKEY$0$0({1}SC:U),I,0,0
S:G$HFO0CAL$0$0({1}SC:U),I,0,0
S:G$HFO1CAL$0$0({1}SC:U),I,0,0
S:G$HFOCN$0$0({1}SC:U),I,0,0
S:G$I2C0CN0$0$0({1}SC:U),I,0,0
S:G$I2C0DIN$0$0({1}SC:U),I,0,0
S:G$I2C0DOUT$0$0({1}SC:U),I,0,0
S:G$I2C0FCN0$0$0({1}SC:U),I,0,0
S:G$I2C0FCN1$0$0({1}SC:U),I,0,0
S:G$I2C0FCT$0$0({1}SC:U),I,0,0
S:G$I2C0SLAD$0$0({1}SC:U),I,0,0
S:G$I2C0STAT$0$0({1}SC:U),I,0,0
S:G$IE$0$0({1}SC:U),I,0,0
S:G$IP$0$0({1}SC:U),I,0,0
S:G$IPH$0$0({1}SC:U),I,0,0
S:G$IT01CF$0$0({1}SC:U),I,0,0
S:G$LFO0CN$0$0({1}SC:U),I,0,0
S:G$P0$0$0({1}SC:U),I,0,0
S:G$P0MASK$0$0({1}SC:U),I,0,0
S:G$P0MAT$0$0({1}SC:U),I,0,0
S:G$P0MDIN$0$0({1}SC:U),I,0,0
S:G$P0MDOUT$0$0({1}SC:U),I,0,0
S:G$P0SKIP$0$0({1}SC:U),I,0,0
S:G$P1$0$0({1}SC:U),I,0,0
S:G$P1MASK$0$0({1}SC:U),I,0,0
S:G$P1MAT$0$0({1}SC:U),I,0,0
S:G$P1MDIN$0$0({1}SC:U),I,0,0
S:G$P1MDOUT$0$0({1}SC:U),I,0,0
S:G$P1SKIP$0$0({1}SC:U),I,0,0
S:G$P2$0$0({1}SC:U),I,0,0
S:G$P2MASK$0$0({1}SC:U),I,0,0
S:G$P2MAT$0$0({1}SC:U),I,0,0
S:G$P2MDIN$0$0({1}SC:U),I,0,0
S:G$P2MDOUT$0$0({1}SC:U),I,0,0
S:G$P2SKIP$0$0({1}SC:U),I,0,0
S:G$P3$0$0({1}SC:U),I,0,0
S:G$P3MDIN$0$0({1}SC:U),I,0,0
S:G$P3MDOUT$0$0({1}SC:U),I,0,0
S:G$PCA0CENT$0$0({1}SC:U),I,0,0
S:G$PCA0CLR$0$0({1}SC:U),I,0,0
S:G$PCA0CN0$0$0({1}SC:U),I,0,0
S:G$PCA0CPH0$0$0({1}SC:U),I,0,0
S:G$PCA0CPH1$0$0({1}SC:U),I,0,0
S:G$PCA0CPH2$0$0({1}SC:U),I,0,0
S:G$PCA0CPL0$0$0({1}SC:U),I,0,0
S:G$PCA0CPL1$0$0({1}SC:U),I,0,0
S:G$PCA0CPL2$0$0({1}SC:U),I,0,0
S:G$PCA0CPM0$0$0({1}SC:U),I,0,0
S:G$PCA0CPM1$0$0({1}SC:U),I,0,0
S:G$PCA0CPM2$0$0({1}SC:U),I,0,0
S:G$PCA0H$0$0({1}SC:U),I,0,0
S:G$PCA0L$0$0({1}SC:U),I,0,0
S:G$PCA0MD$0$0({1}SC:U),I,0,0
S:G$PCA0POL$0$0({1}SC:U),I,0,0
S:G$PCA0PWM$0$0({1}SC:U),I,0,0
S:G$PCON0$0$0({1}SC:U),I,0,0
S:G$PCON1$0$0({1}SC:U),I,0,0
S:G$PFE0CN$0$0({1}SC:U),I,0,0
S:G$PRTDRV$0$0({1}SC:U),I,0,0
S:G$PSCTL$0$0({1}SC:U),I,0,0
S:G$PSW$0$0({1}SC:U),I,0,0
S:G$REF0CN$0$0({1}SC:U),I,0,0
S:G$REG0CN$0$0({1}SC:U),I,0,0
S:G$REG1CN$0$0({1}SC:U),I,0,0
S:G$REVID$0$0({1}SC:U),I,0,0
S:G$RSTSRC$0$0({1}SC:U),I,0,0
S:G$SBCON1$0$0({1}SC:U),I,0,0
S:G$SBRLH1$0$0({1}SC:U),I,0,0
S:G$SBRLL1$0$0({1}SC:U),I,0,0
S:G$SBUF0$0$0({1}SC:U),I,0,0
S:G$SBUF1$0$0({1}SC:U),I,0,0
S:G$SCON0$0$0({1}SC:U),I,0,0
S:G$SCON1$0$0({1}SC:U),I,0,0
S:G$SFRPAGE$0$0({1}SC:U),I,0,0
S:G$SFRPGCN$0$0({1}SC:U),I,0,0
S:G$SFRSTACK$0$0({1}SC:U),I,0,0
S:G$SMB0ADM$0$0({1}SC:U),I,0,0
S:G$SMB0ADR$0$0({1}SC:U),I,0,0
S:G$SMB0CF$0$0({1}SC:U),I,0,0
S:G$SMB0CN0$0$0({1}SC:U),I,0,0
S:G$SMB0DAT$0$0({1}SC:U),I,0,0
S:G$SMB0FCN0$0$0({1}SC:U),I,0,0
S:G$SMB0FCN1$0$0({1}SC:U),I,0,0
S:G$SMB0FCT$0$0({1}SC:U),I,0,0
S:G$SMB0RXLN$0$0({1}SC:U),I,0,0
S:G$SMB0TC$0$0({1}SC:U),I,0,0
S:G$SMOD1$0$0({1}SC:U),I,0,0
S:G$SP$0$0({1}SC:U),I,0,0
S:G$SPI0CFG$0$0({1}SC:U),I,0,0
S:G$SPI0CKR$0$0({1}SC:U),I,0,0
S:G$SPI0CN0$0$0({1}SC:U),I,0,0
S:G$SPI0DAT$0$0({1}SC:U),I,0,0
S:G$SPI0FCN0$0$0({1}SC:U),I,0,0
S:G$SPI0FCN1$0$0({1}SC:U),I,0,0
S:G$SPI0FCT$0$0({1}SC:U),I,0,0
S:G$TCON$0$0({1}SC:U),I,0,0
S:G$TH0$0$0({1}SC:U),I,0,0
S:G$TH1$0$0({1}SC:U),I,0,0
S:G$TL0$0$0({1}SC:U),I,0,0
S:G$TL1$0$0({1}SC:U),I,0,0
S:G$TMOD$0$0({1}SC:U),I,0,0
S:G$TMR2CN0$0$0({1}SC:U),I,0,0
S:G$TMR2CN1$0$0({1}SC:U),I,0,0
S:G$TMR2H$0$0({1}SC:U),I,0,0
S:G$TMR2L$0$0({1}SC:U),I,0,0
S:G$TMR2RLH$0$0({1}SC:U),I,0,0
S:G$TMR2RLL$0$0({1}SC:U),I,0,0
S:G$TMR3CN0$0$0({1}SC:U),I,0,0
S:G$TMR3CN1$0$0({1}SC:U),I,0,0
S:G$TMR3H$0$0({1}SC:U),I,0,0
S:G$TMR3L$0$0({1}SC:U),I,0,0
S:G$TMR3RLH$0$0({1}SC:U),I,0,0
S:G$TMR3RLL$0$0({1}SC:U),I,0,0
S:G$TMR4CN0$0$0({1}SC:U),I,0,0
S:G$TMR4CN1$0$0({1}SC:U),I,0,0
S:G$TMR4H$0$0({1}SC:U),I,0,0
S:G$TMR4L$0$0({1}SC:U),I,0,0
S:G$TMR4RLH$0$0({1}SC:U),I,0,0
S:G$TMR4RLL$0$0({1}SC:U),I,0,0
S:G$UART1FCN0$0$0({1}SC:U),I,0,0
S:G$UART1FCN1$0$0({1}SC:U),I,0,0
S:G$UART1FCT$0$0({1}SC:U),I,0,0
S:G$UART1LIN$0$0({1}SC:U),I,0,0
S:G$USB0ADR$0$0({1}SC:U),I,0,0
S:G$USB0AEC$0$0({1}SC:U),I,0,0
S:G$USB0CDCF$0$0({1}SC:U),I,0,0
S:G$USB0CDCN$0$0({1}SC:U),I,0,0
S:G$USB0CDSTA$0$0({1}SC:U),I,0,0
S:G$USB0CF$0$0({1}SC:U),I,0,0
S:G$USB0DAT$0$0({1}SC:U),I,0,0
S:G$USB0XCN$0$0({1}SC:U),I,0,0
S:G$VDM0CN$0$0({1}SC:U),I,0,0
S:G$WDTCN$0$0({1}SC:U),I,0,0
S:G$XBR0$0$0({1}SC:U),I,0,0
S:G$XBR1$0$0({1}SC:U),I,0,0
S:G$XBR2$0$0({1}SC:U),I,0,0
S:G$ADC0GT$0$0({2}SI:U),I,0,0
S:G$ADC0$0$0({2}SI:U),I,0,0
S:G$ADC0LT$0$0({2}SI:U),I,0,0
S:G$DP$0$0({2}SI:U),I,0,0
S:G$PCA0CP0$0$0({2}SI:U),I,0,0
S:G$PCA0CP1$0$0({2}SI:U),I,0,0
S:G$PCA0CP2$0$0({2}SI:U),I,0,0
S:G$PCA0$0$0({2}SI:U),I,0,0
S:G$SBRL1$0$0({2}SI:U),I,0,0
S:G$TMR2$0$0({2}SI:U),I,0,0
S:G$TMR2RL$0$0({2}SI:U),I,0,0
S:G$TMR3$0$0({2}SI:U),I,0,0
S:G$TMR3RL$0$0({2}SI:U),I,0,0
S:G$TMR4$0$0({2}SI:U),I,0,0
S:G$TMR4RL$0$0({2}SI:U),I,0,0
S:G$_XPAGE$0$0({1}SC:U),I,0,0
S:G$ACC_ACC0$0$0({1}SX:U),J,0,0
S:G$ACC_ACC1$0$0({1}SX:U),J,0,0
S:G$ACC_ACC2$0$0({1}SX:U),J,0,0
S:G$ACC_ACC3$0$0({1}SX:U),J,0,0
S:G$ACC_ACC4$0$0({1}SX:U),J,0,0
S:G$ACC_ACC5$0$0({1}SX:U),J,0,0
S:G$ACC_ACC6$0$0({1}SX:U),J,0,0
S:G$ACC_ACC7$0$0({1}SX:U),J,0,0
S:G$ADC0CN0_ADCM0$0$0({1}SX:U),J,0,0
S:G$ADC0CN0_ADCM1$0$0({1}SX:U),J,0,0
S:G$ADC0CN0_ADCM2$0$0({1}SX:U),J,0,0
S:G$ADC0CN0_ADWINT$0$0({1}SX:U),J,0,0
S:G$ADC0CN0_ADBUSY$0$0({1}SX:U),J,0,0
S:G$ADC0CN0_ADINT$0$0({1}SX:U),J,0,0
S:G$ADC0CN0_ADBMEN$0$0({1}SX:U),J,0,0
S:G$ADC0CN0_ADEN$0$0({1}SX:U),J,0,0
S:G$B_B0$0$0({1}SX:U),J,0,0
S:G$B_B1$0$0({1}SX:U),J,0,0
S:G$B_B2$0$0({1}SX:U),J,0,0
S:G$B_B3$0$0({1}SX:U),J,0,0
S:G$B_B4$0$0({1}SX:U),J,0,0
S:G$B_B5$0$0({1}SX:U),J,0,0
S:G$B_B6$0$0({1}SX:U),J,0,0
S:G$B_B7$0$0({1}SX:U),J,0,0
S:G$IE_EX0$0$0({1}SX:U),J,0,0
S:G$IE_ET0$0$0({1}SX:U),J,0,0
S:G$IE_EX1$0$0({1}SX:U),J,0,0
S:G$IE_ET1$0$0({1}SX:U),J,0,0
S:G$IE_ES0$0$0({1}SX:U),J,0,0
S:G$IE_ET2$0$0({1}SX:U),J,0,0
S:G$IE_ESPI0$0$0({1}SX:U),J,0,0
S:G$IE_EA$0$0({1}SX:U),J,0,0
S:G$IP_PX0$0$0({1}SX:U),J,0,0
S:G$IP_PT0$0$0({1}SX:U),J,0,0
S:G$IP_PX1$0$0({1}SX:U),J,0,0
S:G$IP_PT1$0$0({1}SX:U),J,0,0
S:G$IP_PS0$0$0({1}SX:U),J,0,0
S:G$IP_PT2$0$0({1}SX:U),J,0,0
S:G$IP_PSPI0$0$0({1}SX:U),J,0,0
S:G$P0_B0$0$0({1}SX:U),J,0,0
S:G$P0_B1$0$0({1}SX:U),J,0,0
S:G$P0_B2$0$0({1}SX:U),J,0,0
S:G$P0_B3$0$0({1}SX:U),J,0,0
S:G$P0_B4$0$0({1}SX:U),J,0,0
S:G$P0_B5$0$0({1}SX:U),J,0,0
S:G$P0_B6$0$0({1}SX:U),J,0,0
S:G$P0_B7$0$0({1}SX:U),J,0,0
S:G$P1_B0$0$0({1}SX:U),J,0,0
S:G$P1_B1$0$0({1}SX:U),J,0,0
S:G$P1_B2$0$0({1}SX:U),J,0,0
S:G$P1_B3$0$0({1}SX:U),J,0,0
S:G$P1_B4$0$0({1}SX:U),J,0,0
S:G$P1_B5$0$0({1}SX:U),J,0,0
S:G$P1_B6$0$0({1}SX:U),J,0,0
S:G$P1_B7$0$0({1}SX:U),J,0,0
S:G$P2_B0$0$0({1}SX:U),J,0,0
S:G$P2_B1$0$0({1}SX:U),J,0,0
S:G$P2_B2$0$0({1}SX:U),J,0,0
S:G$P2_B3$0$0({1}SX:U),J,0,0
S:G$P3_B0$0$0({1}SX:U),J,0,0
S:G$P3_B1$0$0({1}SX:U),J,0,0
S:G$PCA0CN0_CCF0$0$0({1}SX:U),J,0,0
S:G$PCA0CN0_CCF1$0$0({1}SX:U),J,0,0
S:G$PCA0CN0_CCF2$0$0({1}SX:U),J,0,0
S:G$PCA0CN0_CR$0$0({1}SX:U),J,0,0
S:G$PCA0CN0_CF$0$0({1}SX:U),J,0,0
S:G$PSW_PARITY$0$0({1}SX:U),J,0,0
S:G$PSW_F1$0$0({1}SX:U),J,0,0
S:G$PSW_OV$0$0({1}SX:U),J,0,0
S:G$PSW_RS0$0$0({1}SX:U),J,0,0
S:G$PSW_RS1$0$0({1}SX:U),J,0,0
S:G$PSW_F0$0$0({1}SX:U),J,0,0
S:G$PSW_AC$0$0({1}SX:U),J,0,0
S:G$PSW_CY$0$0({1}SX:U),J,0,0
S:G$SCON0_RI$0$0({1}SX:U),J,0,0
S:G$SCON0_TI$0$0({1}SX:U),J,0,0
S:G$SCON0_RB8$0$0({1}SX:U),J,0,0
S:G$SCON0_TB8$0$0({1}SX:U),J,0,0
S:G$SCON0_REN$0$0({1}SX:U),J,0,0
S:G$SCON0_MCE$0$0({1}SX:U),J,0,0
S:G$SCON0_SMODE$0$0({1}SX:U),J,0,0
S:G$SCON1_RI$0$0({1}SX:U),J,0,0
S:G$SCON1_TI$0$0({1}SX:U),J,0,0
S:G$SCON1_RBX$0$0({1}SX:U),J,0,0
S:G$SCON1_TBX$0$0({1}SX:U),J,0,0
S:G$SCON1_REN$0$0({1}SX:U),J,0,0
S:G$SCON1_PERR$0$0({1}SX:U),J,0,0
S:G$SCON1_OVR$0$0({1}SX:U),J,0,0
S:G$SMB0CN0_SI$0$0({1}SX:U),J,0,0
S:G$SMB0CN0_ACK$0$0({1}SX:U),J,0,0
S:G$SMB0CN0_ARBLOST$0$0({1}SX:U),J,0,0
S:G$SMB0CN0_ACKRQ$0$0({1}SX:U),J,0,0
S:G$SMB0CN0_STO$0$0({1}SX:U),J,0,0
S:G$SMB0CN0_STA$0$0({1}SX:U),J,0,0
S:G$SMB0CN0_TXMODE$0$0({1}SX:U),J,0,0
S:G$SMB0CN0_MASTER$0$0({1}SX:U),J,0,0
S:G$SPI0CN0_SPIEN$0$0({1}SX:U),J,0,0
S:G$SPI0CN0_TXNF$0$0({1}SX:U),J,0,0
S:G$SPI0CN0_NSSMD0$0$0({1}SX:U),J,0,0
S:G$SPI0CN0_NSSMD1$0$0({1}SX:U),J,0,0
S:G$SPI0CN0_RXOVRN$0$0({1}SX:U),J,0,0
S:G$SPI0CN0_MODF$0$0({1}SX:U),J,0,0
S:G$SPI0CN0_WCOL$0$0({1}SX:U),J,0,0
S:G$SPI0CN0_SPIF$0$0({1}SX:U),J,0,0
S:G$TCON_IT0$0$0({1}SX:U),J,0,0
S:G$TCON_IE0$0$0({1}SX:U),J,0,0
S:G$TCON_IT1$0$0({1}SX:U),J,0,0
S:G$TCON_IE1$0$0({1}SX:U),J,0,0
S:G$TCON_TR0$0$0({1}SX:U),J,0,0
S:G$TCON_TF0$0$0({1}SX:U),J,0,0
S:G$TCON_TR1$0$0({1}SX:U),J,0,0
S:G$TCON_TF1$0$0({1}SX:U),J,0,0
S:G$TMR2CN0_T2XCLK0$0$0({1}SX:U),J,0,0
S:G$TMR2CN0_T2XCLK1$0$0({1}SX:U),J,0,0
S:G$TMR2CN0_TR2$0$0({1}SX:U),J,0,0
S:G$TMR2CN0_T2SPLIT$0$0({1}SX:U),J,0,0
S:G$TMR2CN0_TF2CEN$0$0({1}SX:U),J,0,0
S:G$TMR2CN0_TF2LEN$0$0({1}SX:U),J,0,0
S:G$TMR2CN0_TF2L$0$0({1}SX:U),J,0,0
S:G$TMR2CN0_TF2H$0$0({1}SX:U),J,0,0
S:G$TMR4CN0_T4XCLK0$0$0({1}SX:U),J,0,0
S:G$TMR4CN0_T4XCLK1$0$0({1}SX:U),J,0,0
S:G$TMR4CN0_TR4$0$0({1}SX:U),J,0,0
S:G$TMR4CN0_T4SPLIT$0$0({1}SX:U),J,0,0
S:G$TMR4CN0_TF4CEN$0$0({1}SX:U),J,0,0
S:G$TMR4CN0_TF4LEN$0$0({1}SX:U),J,0,0
S:G$TMR4CN0_TF4L$0$0({1}SX:U),J,0,0
S:G$TMR4CN0_TF4H$0$0({1}SX:U),J,0,0
S:G$UART1FCN1_RIE$0$0({1}SX:U),J,0,0
S:G$UART1FCN1_RXTO0$0$0({1}SX:U),J,0,0
S:G$UART1FCN1_RXTO1$0$0({1}SX:U),J,0,0
S:G$UART1FCN1_RFRQ$0$0({1}SX:U),J,0,0
S:G$UART1FCN1_TIE$0$0({1}SX:U),J,0,0
S:G$UART1FCN1_TXHOLD$0$0({1}SX:U),J,0,0
S:G$UART1FCN1_TXNF$0$0({1}SX:U),J,0,0
S:G$UART1FCN1_TFRQ$0$0({1}SX:U),J,0,0
S:G$U2F_BUTTON$0$0({1}SX:U),J,0,0
S:G$U2F_BUTTON_VAL$0$0({1}SX:U),J,0,0
S:G$U2F_RED$0$0({1}SX:U),J,0,0
S:G$U2F_GREEN$0$0({1}SX:U),J,0,0
S:G$U2F_BLUE$0$0({1}SX:U),J,0,0
S:G$enter_DefaultMode_from_RESET$0$0({2}DF,SV:S),C,0,0
S:G$VREG_0_enter_DefaultMode_from_RESET$0$0({2}DF,SV:S),C,0,0
S:G$CLOCK_0_enter_DefaultMode_from_RESET$0$0({2}DF,SV:S),C,0,0
S:G$PORTS_0_enter_DefaultMode_from_RESET$0$0({2}DF,SV:S),C,0,0
S:G$PORTS_1_enter_DefaultMode_from_RESET$0$0({2}DF,SV:S),C,0,0
S:G$PBCFG_0_enter_DefaultMode_from_RESET$0$0({2}DF,SV:S),C,0,0
S:G$HFOSC_0_enter_DefaultMode_from_RESET$0$0({2}DF,SV:S),C,0,0
S:G$CIP51_0_enter_DefaultMode_from_RESET$0$0({2}DF,SV:S),C,0,0
S:G$TIMER01_0_enter_DefaultMode_from_RESET$0$0({2}DF,SV:S),C,0,0
S:G$TIMER16_2_enter_DefaultMode_from_RESET$0$0({2}DF,SV:S),C,0,0
S:G$TIMER16_3_enter_DefaultMode_from_RESET$0$0({2}DF,SV:S),C,0,0
S:G$TIMER_SETUP_0_enter_DefaultMode_from_RESET$0$0({2}DF,SV:S),C,0,0
S:G$PCA_0_enter_DefaultMode_from_RESET$0$0({2}DF,SV:S),C,0,0
S:G$PCACH_0_enter_DefaultMode_from_RESET$0$0({2}DF,SV:S),C,0,0
S:G$PCACH_1_enter_DefaultMode_from_RESET$0$0({2}DF,SV:S),C,0,0
S:G$PCACH_2_enter_DefaultMode_from_RESET$0$0({2}DF,SV:S),C,0,0
S:G$SMBUS_0_enter_DefaultMode_from_RESET$0$0({2}DF,SV:S),C,0,0
S:G$UART_0_enter_DefaultMode_from_RESET$0$0({2}DF,SV:S),C,0,0
S:G$INTERRUPT_0_enter_DefaultMode_from_RESET$0$0({2}DF,SV:S),C,0,0
S:G$atof$0$0({2}DF,SF:S),C,0,0
S:G$atoi$0$0({2}DF,SI:S),C,0,0
S:G$atol$0$0({2}DF,SL:S),C,0,0
S:G$_uitoa$0$0({2}DF,SV:S),C,0,0
S:G$_itoa$0$0({2}DF,SV:S),C,0,0
S:G$_ultoa$0$0({2}DF,SV:S),C,0,0
S:G$_ltoa$0$0({2}DF,SV:S),C,0,0
S:G$rand$0$0({2}DF,SI:S),C,0,0
S:G$srand$0$0({2}DF,SV:S),C,0,0
S:G$calloc$0$0({2}DF,DX,SV:S),C,0,0
S:G$malloc$0$0({2}DF,DX,SV:S),C,0,0
S:G$realloc$0$0({2}DF,DX,SV:S),C,0,0
S:G$aligned_alloc$0$0({2}DF,DG,SV:S),C,0,2
S:G$free$0$0({2}DF,SV:S),C,0,0
S:G$abs$0$0({2}DF,SI:S),C,0,0
S:G$labs$0$0({2}DF,SL:S),C,0,0
S:G$mblen$0$0({2}DF,SI:S),C,0,0
S:G$mbtowc$0$0({2}DF,SI:S),C,0,0
S:G$wctomb$0$0({2}DF,SI:S),C,0,0
S:G$memcpy$0$0({2}DF,DG,SV:S),C,0,0
S:G$memmove$0$0({2}DF,DG,SV:S),C,0,0
S:G$strcpy$0$0({2}DF,DG,SC:U),C,0,0
S:G$strncpy$0$0({2}DF,DG,SC:U),C,0,0
S:G$strcat$0$0({2}DF,DG,SC:U),C,0,0
S:G$strncat$0$0({2}DF,DG,SC:U),C,0,0
S:G$memcmp$0$0({2}DF,SI:S),C,0,0
S:G$strcmp$0$0({2}DF,SI:S),C,0,0
S:G$strncmp$0$0({2}DF,SI:S),C,0,0
S:G$strxfrm$0$0({2}DF,SI:U),C,0,0
S:G$memchr$0$0({2}DF,DG,SV:S),C,0,0
S:G$strchr$0$0({2}DF,DG,SC:U),C,0,0
S:G$strcspn$0$0({2}DF,SI:U),C,0,0
S:G$strpbrk$0$0({2}DF,DG,SC:U),C,0,0
S:G$strrchr$0$0({2}DF,DG,SC:U),C,0,0
S:G$strspn$0$0({2}DF,SI:U),C,0,0
S:G$strstr$0$0({2}DF,DG,SC:U),C,0,0
S:G$strtok$0$0({2}DF,DG,SC:U),C,0,0
S:G$memset$0$0({2}DF,DG,SV:S),C,0,0
S:G$strlen$0$0({2}DF,SI:U),C,0,0
S:G$USBD_SetUsbState$0$0({2}DF,SV:S),C,0,0
S:G$USBDCH9_SetupCmd$0$0({2}DF,SC:U),C,0,0
S:G$USBD_AbortAllTransfers$0$0({2}DF,SV:S),C,0,0
S:G$USBD_AbortTransfer$0$0({2}DF,SC:S),C,0,0
S:G$USBD_Connect$0$0({2}DF,SV:S),C,0,0
S:G$USBD_Disconnect$0$0({2}DF,SV:S),C,0,0
S:G$USBD_EpIsBusy$0$0({2}DF,SB0$1:U),C,0,0
S:G$USBD_GetUsbState$0$0({2}DF,SC:U),C,0,0
S:G$USBD_Init$0$0({2}DF,SC:S),C,0,0
S:G$USBD_Read$0$0({2}DF,SC:S),C,0,0
S:G$USBD_RemoteWakeup$0$0({2}DF,SC:S),C,0,0
S:G$USBD_StallEp$0$0({2}DF,SC:S),C,0,0
S:G$USBD_Stop$0$0({2}DF,SV:S),C,0,0
S:G$USBD_Suspend$0$0({2}DF,SV:S),C,0,0
S:G$USBD_UnStallEp$0$0({2}DF,SC:S),C,0,0
S:G$USBD_Write$0$0({2}DF,SC:S),C,0,0
S:G$USBD_EnterHandler$0$0({2}DF,SV:S),C,0,0
S:G$USBD_ExitHandler$0$0({2}DF,SV:S),C,0,0
S:G$USBD_ResetCb$0$0({2}DF,SV:S),C,0,0
S:G$USBD_SofCb$0$0({2}DF,SV:S),C,0,0
S:G$USBD_DeviceStateChangeCb$0$0({2}DF,SV:S),C,0,0
S:G$USBD_IsSelfPoweredCb$0$0({2}DF,SB0$1:U),C,0,0
S:G$USBD_SetupCmdCb$0$0({2}DF,SC:U),C,0,0
S:G$USBD_SetInterfaceCb$0$0({2}DF,SC:U),C,0,0
S:G$USBD_RemoteWakeupCb$0$0({2}DF,SB0$1:U),C,0,0
S:G$USBD_RemoteWakeupDelay$0$0({2}DF,SV:S),C,0,0
S:G$USBD_Run$0$0({2}DF,SV:S),C,0,0
S:G$USBD_XferCompleteCb$0$0({2}DF,SI:U),C,0,0
S:G$USB_ReadFIFO$0$0({2}DF,SV:S),C,0,0
S:G$USB_WriteFIFO$0$0({2}DF,SV:S),C,0,0
S:G$USB_GetIntsEnabled$0$0({2}DF,SB0$1:U),C,0,0
S:G$USB_IsRegulatorEnabled$0$0({2}DF,SB0$1:U),C,0,0
S:G$USB_IsPrefetchEnabled$0$0({2}DF,SB0$1:U),C,0,0
S:G$USB_SuspendOscillator$0$0({2}DF,SV:S),C,0,0
S:G$USB_SetIndex$0$0({2}DF,SV:S),C,0,0
S:G$USB_GetCommonInts$0$0({2}DF,SC:U),C,0,0
S:G$USB_GetInInts$0$0({2}DF,SC:U),C,0,0
S:G$USB_GetOutInts$0$0({2}DF,SC:U),C,0,0
S:G$USB_GetIndex$0$0({2}DF,SC:U),C,0,0
S:G$USB_IsSuspended$0$0({2}DF,SB0$1:U),C,0,0
S:G$USB_GetSetupEnd$0$0({2}DF,SB0$1:U),C,0,0
S:G$USB_Ep0SentStall$0$0({2}DF,SB0$1:U),C,0,0
S:G$USB_Ep0InPacketReady$0$0({2}DF,SB0$1:U),C,0,0
S:G$USB_Ep0OutPacketReady$0$0({2}DF,SB0$1:U),C,0,0
S:G$USB_Ep0GetCount$0$0({2}DF,SC:U),C,0,0
S:G$USB_EpnInGetSentStall$0$0({2}DF,SB0$1:U),C,0,0
S:G$USB_EpnGetInPacketReady$0$0({2}DF,SB0$1:U),C,0,0
S:G$USB_EpnOutGetSentStall$0$0({2}DF,SB0$1:U),C,0,0
S:G$USB_EpnGetOutPacketReady$0$0({2}DF,SB0$1:U),C,0,0
S:G$USB_EpOutGetCount$0$0({2}DF,SI:U),C,0,0
S:G$USB_GetSofNumber$0$0({2}DF,SI:U),C,0,0
S:G$USB_AbortInEp$0$0({2}DF,SV:S),C,0,0
S:G$USB_AbortOutEp$0$0({2}DF,SV:S),C,0,0
S:G$USB_ActivateEp$0$0({2}DF,SV:S),C,0,0
S:G$u2f_hid_init$0$0({2}DF,SV:S),C,0,0
S:G$u2f_hid_set_len$0$0({2}DF,SV:S),C,0,0
S:G$u2f_hid_writeback$0$0({2}DF,SV:S),C,0,0
S:G$u2f_hid_flush$0$0({2}DF,SV:S),C,0,0
S:G$u2f_hid_request$0$0({2}DF,SV:S),C,0,0
S:G$u2f_hid_check_timeouts$0$0({2}DF,SV:S),C,0,0
S:G$u2f_print_hid_check_timeouts$0$0({2}DF,SV:S),C,0,0
S:G$u2f_init$0$0({2}DF,SV:S),C,0,0
S:G$u2f_wipe_keys$0$0({2}DF,SC:S),C,0,0
S:G$smb_init$0$0({2}DF,SV:S),C,0,0
S:G$smb_read$0$0({2}DF,SC:U),C,0,0
S:G$smb_write$0$0({2}DF,SV:S),C,0,0
S:G$smb_set_ext_write$0$0({2}DF,SV:S),C,0,0
S:G$reverse_bits$0$0({2}DF,SI:U),C,0,0
S:G$feed_crc$0$0({2}DF,SI:U),C,0,0
S:G$u2f_delay$0$0({2}DF,SV:S),C,0,0
S:G$usb_write$0$0({2}DF,SV:S),C,0,0
S:G$putf$0$0({2}DF,SV:S),C,0,0
S:G$dump_hex$0$0({2}DF,SV:S),C,0,0
S:G$u2f_prints$0$0({2}DF,SV:S),C,0,0
S:G$__int2strn$0$0({2}DF,DG,SC:U),C,0,0
S:G$u2f_putd$0$0({2}DF,SV:S),C,0,0
S:G$u2f_putx$0$0({2}DF,SV:S),C,0,0
S:G$u2f_printd$0$0({2}DF,SV:S),C,0,0
S:G$u2f_printx$0$0({2}DF,SV:S),C,0,0
S:G$u2f_printb$0$0({2}DF,SV:S),C,0,0
S:G$u2f_printlx$0$0({2}DF,SV:S),C,0,0
S:G$atecc_idle$0$0({2}DF,SV:S),C,0,0
S:G$atecc_wake$0$0({2}DF,SV:S),C,0,0
S:G$atecc_sleep$0$0({2}DF,SV:S),C,0,0
S:G$atecc_send$0$0({2}DF,SC:S),C,0,0
S:G$atecc_recv$0$0({2}DF,SC:S),C,0,0
S:G$atecc_send_recv$0$0({2}DF,SC:S),C,0,0
S:G$atecc_write_eeprom$0$0({2}DF,SC:S),C,0,0
S:G$eeprom_init$0$0({2}DF,SV:S),C,0,0
S:G$eeprom_read$0$0({2}DF,SV:S),C,0,0
S:G$_eeprom_write$0$0({2}DF,SV:S),C,0,0
S:G$custom_command$0$0({2}DF,SC:U),C,0,0
S:G$u2f_request$0$0({2}DF,SV:S),C,0,0
S:G$u2f_attestation_cert_size$0$0({2}DF,SI:U),C,0,0
S:G$u2f_response_writeback$0$0({2}DF,SV:S),C,0,0
S:G$u2f_response_flush$0$0({2}DF,SV:S),C,0,0
S:G$u2f_response_start$0$0({2}DF,SV:S),C,0,0
S:G$u2f_get_user_feedback$0$0({2}DF,SC:S),C,0,0
S:G$u2f_sha256_start$0$0({2}DF,SV:S),C,0,0
S:G$u2f_sha256_update$0$0({2}DF,SV:S),C,0,0
S:G$u2f_sha256_finish$0$0({2}DF,SV:S),C,0,0
S:G$u2f_ecdsa_sign$0$0({2}DF,SC:S),C,0,0
S:G$u2f_new_keypair$0$0({2}DF,SC:S),C,0,0
S:G$u2f_appid_eq$0$0({2}DF,SC:S),C,0,0
S:G$u2f_load_key$0$0({2}DF,SC:S),C,0,0
S:G$u2f_get_attestation_cert$0$0({2}DF,DG,SC:U),C,0,0
S:G$u2f_count$0$0({2}DF,SL:U),C,0,0
S:G$set_response_length$0$0({2}DF,SV:S),C,0,0
S:G$init$0$0({2}DF,SV:S),C,0,0
S:G$main$0$0({2}DF,SI:S),C,0,11
S:G$ReportDescriptor0$0$0({34}DA34d,SC:U),D,0,0
S:G$deviceDesc$0$0({0}DA0d,SC:U),D,0,0
S:G$configDesc$0$0({0}DA0d,SC:U),D,0,0
S:G$initstruct$0$0({10}ST__00000008:S),D,0,0
S:G$WMASK$0$0({0}DA0d,SC:U),D,0,0
S:G$RMASK$0$0({0}DA0d,SC:U),D,0,0
S:Fmain$__str_0$0$0({11}DA11d,SC:S),D,0,0
S:Fmain$__str_1$0$0({8}DA8d,SC:S),D,0,0
|
OneWingedShark/Byron | Ada | 3,825 | ads | With
Ada.Containers.Indefinite_Holders,
Byron.Internals.Expressions.Holders,
Byron.Internals.Expressions.List,
Lexington.Aux,
Ada.Containers;
-- Expressions.Instances is the package that defines the componenets in the
-- tree-structure forming the AST. Were I a bit more clever, I could probably
-- make a generalized node-type, using Ada.Containers.Indefinite_Multiway_Trees,
-- which would likely be quite well-suited for this project.
Package Byron.Internals.Expressions.Instances with Preelaborate, SPARK_Mode => On, Elaborate_Body is
Package String_Holder_Pkg is new Ada.Containers.Indefinite_Holders(
Element_Type => Wide_Wide_String
);
Package Expression_Holder_Pkg renames Expressions.Holders;
Subtype Holder is Expression_Holder_Pkg.Holder;
-- Function Create( Object : Expression'Class ) return Holder;
Function "+"( Object : Holder ) return Wide_Wide_String with Inline,
Pre => Not Object.Is_Empty;
Function "+"( Object : Holder ) return Expression'Class with Inline,
Pre => Not Object.Is_Empty;
Function "+"( Object : Expression'Class ) return Holder with Inline,
Post => Object = "+"'Result.Element;
--------------------------------------------------------------------------
Type Name_Expression is new Expression with record
Name : String_Holder_Pkg.Holder;
end record;
Function Print( Object : Name_Expression;
Level : Ada.Containers.Count_Type := 0
) return Wide_Wide_String;
Type Conditional_Expression is new Expression with record
Condition,
Then_Arm,
Else_Arm : Holder;
end record;
Function Print( Object : Conditional_Expression;
Level : Ada.Containers.Count_Type := 0
) return Wide_Wide_String;
Type Assignment_Expression is new Expression with record
Name,
Value : Holder;
end record;
Function Print( Object : Assignment_Expression;
Level : Ada.Containers.Count_Type := 0
) return Wide_Wide_String;
Type Call_Expression is new Expression with record
Fn : Holder;
Arguments : Expressions.List.Vector;
end record;
Function Print( Object : Call_Expression;
Level : Ada.Containers.Count_Type := 0
) return Wide_Wide_String;
Type Operator_Expression is new Expression with record
Left, Right : Holder;
Operator : Lexington.Aux.Token_ID;
end record;
Function Print( Object : Operator_Expression;
Level : Ada.Containers.Count_Type := 0
) return Wide_Wide_String;
Type Postfix_Expression is new Expression with record
Left : Holder;
Operator : Lexington.Aux.Token_ID;
end record;
Function Print( Object : Postfix_Expression;
Level : Ada.Containers.Count_Type := 0
) return Wide_Wide_String;
Type Prefix_Expression is new Expression with record
Right : Holder;
Operator : Lexington.Aux.Token_ID;
end record;
Function Print( Object : Prefix_Expression;
Level : Ada.Containers.Count_Type := 0
) return Wide_Wide_String;
Private
Function "+"( Object : String_Holder_Pkg.Holder ) return Wide_Wide_String
renames String_Holder_Pkg.Element;
Function Create( Object : Expression'Class ) return Holder is
( Expression_Holder_Pkg.To_Holder( Object ) );
Function "+"( Object : Holder ) return Wide_Wide_String is
( "+"(Object.Element) );
Function "+"( Object : Holder ) return Expression'Class
renames Expression_Holder_Pkg.Element;
Function "+"( Object : Expression'Class ) return Holder
renames Create;
End Byron.Internals.Expressions.Instances;
|
reznikmm/matreshka | Ada | 4,614 | adb | ------------------------------------------------------------------------------
-- --
-- Matreshka Project --
-- --
-- Open Document Toolkit --
-- --
-- Runtime Library Component --
-- --
------------------------------------------------------------------------------
-- --
-- Copyright © 2014, Vadim Godunko <[email protected]> --
-- All rights reserved. --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions --
-- are met: --
-- --
-- * Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- --
-- * Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in the --
-- documentation and/or other materials provided with the distribution. --
-- --
-- * Neither the name of the Vadim Godunko, IE nor the names of its --
-- contributors may be used to endorse or promote products derived from --
-- this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED --
-- TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR --
-- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF --
-- LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING --
-- NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS --
-- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
-- $Revision$ $Date$
------------------------------------------------------------------------------
with Matreshka.DOM_Documents;
with Matreshka.ODF_String_Constants;
with ODF.DOM.Iterators;
with ODF.DOM.Visitors;
package body Matreshka.ODF_Svg.SpreadMethod_Attributes is
------------
-- Create --
------------
overriding function Create
(Parameters : not null access Matreshka.DOM_Attributes.Attribute_L2_Parameters)
return Svg_SpreadMethod_Attribute_Node is
begin
return Self : Svg_SpreadMethod_Attribute_Node do
Matreshka.ODF_Svg.Constructors.Initialize
(Self'Unchecked_Access,
Parameters.Document,
Matreshka.ODF_String_Constants.Svg_Prefix);
end return;
end Create;
--------------------
-- Get_Local_Name --
--------------------
overriding function Get_Local_Name
(Self : not null access constant Svg_SpreadMethod_Attribute_Node)
return League.Strings.Universal_String
is
pragma Unreferenced (Self);
begin
return Matreshka.ODF_String_Constants.SpreadMethod_Attribute;
end Get_Local_Name;
begin
Matreshka.DOM_Documents.Register_Attribute
(Matreshka.ODF_String_Constants.Svg_URI,
Matreshka.ODF_String_Constants.SpreadMethod_Attribute,
Svg_SpreadMethod_Attribute_Node'Tag);
end Matreshka.ODF_Svg.SpreadMethod_Attributes;
|
sungyeon/drake | Ada | 699 | ads | pragma License (Unrestricted);
-- extended unit
package Ada.Streams.Stream_IO.Standard_Files is
-- There are Stream_IO version file objects of
-- Standard_Input, Standard_Output, and Standard_Error.
function Standard_Input return not null access constant File_Type;
function Standard_Output return not null access constant File_Type;
function Standard_Error return not null access constant File_Type;
pragma Pure_Function (Standard_Input);
pragma Pure_Function (Standard_Output);
pragma Pure_Function (Standard_Error);
pragma Inline (Standard_Input);
pragma Inline (Standard_Output);
pragma Inline (Standard_Error);
end Ada.Streams.Stream_IO.Standard_Files;
|
shinesolutions/swagger-aem-osgi | Ada | 1,305,058 | adb | -- Adobe Experience Manager OSGI config (AEM) API
-- Swagger AEM OSGI is an OpenAPI specification for Adobe Experience Manager (AEM) OSGI Configurations API
--
-- OpenAPI spec version: 1.0.0_pre.0
-- Contact: [email protected]
--
-- NOTE: This package is auto generated by the swagger code generator 3.2.1-SNAPSHOT.
-- https://openapi-generator.tech
-- Do not edit the class manually.
with Swagger.Streams;
package body .Clients is
--
procedure Adaptive_Form_And_Interactive_Communication_Web_Channel_Configuration
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Show_Placeholder : in Swagger.Nullable_Boolean;
Maximum_Cache_Entries : in Swagger.Nullable_Integer;
Af_Periodscripting_Periodcompatversion : in Swagger.Nullable_UString;
Make_File_Name_Unique : in Swagger.Nullable_Boolean;
Generating_Compliant_Data : in Swagger.Nullable_Boolean;
Result : out .Models.AdaptiveFormAndInteractiveCommunicationWebChannelConfigurationInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("showPlaceholder", Show_Placeholder);
URI.Add_Param ("maximumCacheEntries", Maximum_Cache_Entries);
URI.Add_Param ("af.scripting.compatversion", Af_Periodscripting_Periodcompatversion);
URI.Add_Param ("makeFileNameUnique", Make_File_Name_Unique);
URI.Add_Param ("generatingCompliantData", Generating_Compliant_Data);
URI.Set_Path ("/system/console/configMgr/Adaptive Form and Interactive Communication Web Channel Configuration");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Adaptive_Form_And_Interactive_Communication_Web_Channel_Configuration;
--
procedure Adaptive_Form_And_Interactive_Communication_Web_Channel_Theme_Configur
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Font_List : in Swagger.UString_Vectors.Vector;
Result : out .Models.AdaptiveFormAndInteractiveCommunicationWebChannelThemeConfigurInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("fontList", Font_List);
URI.Set_Path ("/system/console/configMgr/Adaptive Form and Interactive Communication Web Channel Theme Configuration");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Adaptive_Form_And_Interactive_Communication_Web_Channel_Theme_Configur;
--
procedure Analytics_Component_Query_Cache_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodanalytics_Periodcomponent_Periodquery_Periodcache_Periodsize : in Swagger.Nullable_Integer;
Result : out .Models.AnalyticsComponentQueryCacheServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.analytics.component.query.cache.size", Cq_Periodanalytics_Periodcomponent_Periodquery_Periodcache_Periodsize);
URI.Set_Path ("/system/console/configMgr/Analytics Component Query Cache Service");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Analytics_Component_Query_Cache_Service;
--
procedure Apache_Sling_Health_Check_Result_H_T_M_L_Serializer
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Style_String : in Swagger.Nullable_UString;
Result : out .Models.ApacheSlingHealthCheckResultHTMLSerializerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("styleString", Style_String);
URI.Set_Path ("/system/console/configMgr/Apache Sling Health Check Result HTML Serializer");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Apache_Sling_Health_Check_Result_H_T_M_L_Serializer;
--
procedure Com_Adobe_Aem_Formsndocuments_Config_A_E_M_Forms_Manager_Configuration
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Forms_Manager_Config_Periodinclude_O_O_T_B_Templates : in Swagger.Nullable_Boolean;
Forms_Manager_Config_Periodinclude_Deprecated_Templates : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeAemFormsndocumentsConfigAEMFormsManagerConfigurationInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("formsManagerConfig.includeOOTBTemplates", Forms_Manager_Config_Periodinclude_O_O_T_B_Templates);
URI.Add_Param ("formsManagerConfig.includeDeprecatedTemplates", Forms_Manager_Config_Periodinclude_Deprecated_Templates);
URI.Set_Path ("/system/console/configMgr/com.adobe.aem.formsndocuments.config.AEMFormsManagerConfiguration");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Aem_Formsndocuments_Config_A_E_M_Forms_Manager_Configuration;
--
procedure Com_Adobe_Aem_Transaction_Core_Impl_Transaction_Recorder
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Is_Transaction_Recording_Enabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeAemTransactionCoreImplTransactionRecorderInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("isTransactionRecordingEnabled", Is_Transaction_Recording_Enabled);
URI.Set_Path ("/system/console/configMgr/com.adobe.aem.transaction.core.impl.TransactionRecorder");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Aem_Transaction_Core_Impl_Transaction_Recorder;
--
procedure Com_Adobe_Aem_Upgrade_Prechecks_Hc_Impl_Deprecate_Indexes_H_C
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodname : in Swagger.Nullable_UString;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Hc_Periodmbean_Periodname : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeAemUpgradePrechecksHcImplDeprecateIndexesHCInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.name", Hc_Periodname);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Add_Param ("hc.mbean.name", Hc_Periodmbean_Periodname);
URI.Set_Path ("/system/console/configMgr/com.adobe.aem.upgrade.prechecks.hc.impl.DeprecateIndexesHC");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Aem_Upgrade_Prechecks_Hc_Impl_Deprecate_Indexes_H_C;
--
procedure Com_Adobe_Aem_Upgrade_Prechecks_Hc_Impl_Replication_Agents_Disabled_H_C
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodname : in Swagger.Nullable_UString;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Hc_Periodmbean_Periodname : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeAemUpgradePrechecksHcImplReplicationAgentsDisabledHCInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.name", Hc_Periodname);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Add_Param ("hc.mbean.name", Hc_Periodmbean_Periodname);
URI.Set_Path ("/system/console/configMgr/com.adobe.aem.upgrade.prechecks.hc.impl.ReplicationAgentsDisabledHC");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Aem_Upgrade_Prechecks_Hc_Impl_Replication_Agents_Disabled_H_C;
--
procedure Com_Adobe_Aem_Upgrade_Prechecks_Mbean_Impl_Pre_Upgrade_Tasks_M_Bean_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Pre_Upgrade_Periodmaintenance_Periodtasks : in Swagger.UString_Vectors.Vector;
Pre_Upgrade_Periodhc_Periodtags : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeAemUpgradePrechecksMbeanImplPreUpgradeTasksMBeanImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("pre-upgrade.maintenance.tasks", Pre_Upgrade_Periodmaintenance_Periodtasks);
URI.Add_Param ("pre-upgrade.hc.tags", Pre_Upgrade_Periodhc_Periodtags);
URI.Set_Path ("/system/console/configMgr/com.adobe.aem.upgrade.prechecks.mbean.impl.PreUpgradeTasksMBeanImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Aem_Upgrade_Prechecks_Mbean_Impl_Pre_Upgrade_Tasks_M_Bean_Impl;
--
procedure Com_Adobe_Aem_Upgrade_Prechecks_Tasks_Impl_Consistency_Check_Task_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Root_Periodpath : in Swagger.Nullable_UString;
Fix_Periodinconsistencies : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeAemUpgradePrechecksTasksImplConsistencyCheckTaskImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("root.path", Root_Periodpath);
URI.Add_Param ("fix.inconsistencies", Fix_Periodinconsistencies);
URI.Set_Path ("/system/console/configMgr/com.adobe.aem.upgrade.prechecks.tasks.impl.ConsistencyCheckTaskImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Aem_Upgrade_Prechecks_Tasks_Impl_Consistency_Check_Task_Impl;
--
procedure Com_Adobe_Cq_Account_Api_Account_Management_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodaccountmanager_Periodtoken_Periodvalidity_Periodperiod : in Swagger.Nullable_Integer;
Cq_Periodaccountmanager_Periodconfig_Periodrequestnewaccount_Periodmail : in Swagger.Nullable_UString;
Cq_Periodaccountmanager_Periodconfig_Periodrequestnewpwd_Periodmail : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqAccountApiAccountManagementServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.accountmanager.token.validity.period", Cq_Periodaccountmanager_Periodtoken_Periodvalidity_Periodperiod);
URI.Add_Param ("cq.accountmanager.config.requestnewaccount.mail", Cq_Periodaccountmanager_Periodconfig_Periodrequestnewaccount_Periodmail);
URI.Add_Param ("cq.accountmanager.config.requestnewpwd.mail", Cq_Periodaccountmanager_Periodconfig_Periodrequestnewpwd_Periodmail);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.account.api.AccountManagementService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Account_Api_Account_Management_Service;
--
procedure Com_Adobe_Cq_Account_Impl_Account_Management_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodaccountmanager_Periodconfig_Periodinformnewaccount_Periodmail : in Swagger.Nullable_UString;
Cq_Periodaccountmanager_Periodconfig_Periodinformnewpwd_Periodmail : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqAccountImplAccountManagementServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.accountmanager.config.informnewaccount.mail", Cq_Periodaccountmanager_Periodconfig_Periodinformnewaccount_Periodmail);
URI.Add_Param ("cq.accountmanager.config.informnewpwd.mail", Cq_Periodaccountmanager_Periodconfig_Periodinformnewpwd_Periodmail);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.account.impl.AccountManagementServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Account_Impl_Account_Management_Servlet;
--
procedure Com_Adobe_Cq_Address_Impl_Location_Location_List_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodaddress_Periodlocation_Perioddefault_Periodmax_Results : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqAddressImplLocationLocationListServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.address.location.default.maxResults", Cq_Periodaddress_Periodlocation_Perioddefault_Periodmax_Results);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.address.impl.location.LocationListServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Address_Impl_Location_Location_List_Servlet;
--
procedure Com_Adobe_Cq_Audit_Purge_Dam
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Auditlog_Periodrule_Periodname : in Swagger.Nullable_UString;
Auditlog_Periodrule_Periodcontentpath : in Swagger.Nullable_UString;
Auditlog_Periodrule_Periodminimumage : in Swagger.Nullable_Integer;
Auditlog_Periodrule_Periodtypes : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqAuditPurgeDamInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("auditlog.rule.name", Auditlog_Periodrule_Periodname);
URI.Add_Param ("auditlog.rule.contentpath", Auditlog_Periodrule_Periodcontentpath);
URI.Add_Param ("auditlog.rule.minimumage", Auditlog_Periodrule_Periodminimumage);
URI.Add_Param ("auditlog.rule.types", Auditlog_Periodrule_Periodtypes);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.audit.purge.Dam");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Audit_Purge_Dam;
--
procedure Com_Adobe_Cq_Audit_Purge_Pages
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Auditlog_Periodrule_Periodname : in Swagger.Nullable_UString;
Auditlog_Periodrule_Periodcontentpath : in Swagger.Nullable_UString;
Auditlog_Periodrule_Periodminimumage : in Swagger.Nullable_Integer;
Auditlog_Periodrule_Periodtypes : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqAuditPurgePagesInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("auditlog.rule.name", Auditlog_Periodrule_Periodname);
URI.Add_Param ("auditlog.rule.contentpath", Auditlog_Periodrule_Periodcontentpath);
URI.Add_Param ("auditlog.rule.minimumage", Auditlog_Periodrule_Periodminimumage);
URI.Add_Param ("auditlog.rule.types", Auditlog_Periodrule_Periodtypes);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.audit.purge.Pages");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Audit_Purge_Pages;
--
procedure Com_Adobe_Cq_Audit_Purge_Replication
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Auditlog_Periodrule_Periodname : in Swagger.Nullable_UString;
Auditlog_Periodrule_Periodcontentpath : in Swagger.Nullable_UString;
Auditlog_Periodrule_Periodminimumage : in Swagger.Nullable_Integer;
Auditlog_Periodrule_Periodtypes : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqAuditPurgeReplicationInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("auditlog.rule.name", Auditlog_Periodrule_Periodname);
URI.Add_Param ("auditlog.rule.contentpath", Auditlog_Periodrule_Periodcontentpath);
URI.Add_Param ("auditlog.rule.minimumage", Auditlog_Periodrule_Periodminimumage);
URI.Add_Param ("auditlog.rule.types", Auditlog_Periodrule_Periodtypes);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.audit.purge.Replication");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Audit_Purge_Replication;
--
procedure Com_Adobe_Cq_Cdn_Rewriter_Impl_A_W_S_Cloud_Front_Rewriter
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Keypair_Periodid : in Swagger.Nullable_UString;
Keypair_Periodalias : in Swagger.Nullable_UString;
Cdnrewriter_Periodattributes : in Swagger.UString_Vectors.Vector;
Cdn_Periodrewriter_Perioddistribution_Perioddomain : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqCdnRewriterImplAWSCloudFrontRewriterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("keypair.id", Keypair_Periodid);
URI.Add_Param ("keypair.alias", Keypair_Periodalias);
URI.Add_Param ("cdnrewriter.attributes", Cdnrewriter_Periodattributes);
URI.Add_Param ("cdn.rewriter.distribution.domain", Cdn_Periodrewriter_Perioddistribution_Perioddomain);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.cdn.rewriter.impl.AWSCloudFrontRewriter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Cdn_Rewriter_Impl_A_W_S_Cloud_Front_Rewriter;
--
procedure Com_Adobe_Cq_Cdn_Rewriter_Impl_C_D_N_Config_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cdn_Periodconfig_Perioddistribution_Perioddomain : in Swagger.Nullable_UString;
Cdn_Periodconfig_Periodenable_Periodrewriting : in Swagger.Nullable_Boolean;
Cdn_Periodconfig_Periodpath_Periodprefixes : in Swagger.UString_Vectors.Vector;
Cdn_Periodconfig_Periodcdnttl : in Swagger.Nullable_Integer;
Cdn_Periodconfig_Periodapplication_Periodprotocol : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqCdnRewriterImplCDNConfigServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cdn.config.distribution.domain", Cdn_Periodconfig_Perioddistribution_Perioddomain);
URI.Add_Param ("cdn.config.enable.rewriting", Cdn_Periodconfig_Periodenable_Periodrewriting);
URI.Add_Param ("cdn.config.path.prefixes", Cdn_Periodconfig_Periodpath_Periodprefixes);
URI.Add_Param ("cdn.config.cdnttl", Cdn_Periodconfig_Periodcdnttl);
URI.Add_Param ("cdn.config.application.protocol", Cdn_Periodconfig_Periodapplication_Periodprotocol);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.cdn.rewriter.impl.CDNConfigServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Cdn_Rewriter_Impl_C_D_N_Config_Service_Impl;
--
procedure Com_Adobe_Cq_Cdn_Rewriter_Impl_C_D_N_Rewriter
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Cdnrewriter_Periodattributes : in Swagger.UString_Vectors.Vector;
Cdn_Periodrewriter_Perioddistribution_Perioddomain : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqCdnRewriterImplCDNRewriterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("cdnrewriter.attributes", Cdnrewriter_Periodattributes);
URI.Add_Param ("cdn.rewriter.distribution.domain", Cdn_Periodrewriter_Perioddistribution_Perioddomain);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.cdn.rewriter.impl.CDNRewriter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Cdn_Rewriter_Impl_C_D_N_Rewriter;
--
procedure Com_Adobe_Cq_Cloudconfig_Core_Impl_Configuration_Replication_Event_Handle
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Flush_Periodagents : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqCloudconfigCoreImplConfigurationReplicationEventHandleInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("flush.agents", Flush_Periodagents);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.cloudconfig.core.impl.ConfigurationReplicationEventHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Cloudconfig_Core_Impl_Configuration_Replication_Event_Handle;
--
procedure Com_Adobe_Cq_Commerce_Impl_Asset_Dynamic_Image_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodcommerce_Periodasset_Periodhandler_Periodactive : in Swagger.Nullable_Boolean;
Cq_Periodcommerce_Periodasset_Periodhandler_Periodname : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqCommerceImplAssetDynamicImageHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.commerce.asset.handler.active", Cq_Periodcommerce_Periodasset_Periodhandler_Periodactive);
URI.Add_Param ("cq.commerce.asset.handler.name", Cq_Periodcommerce_Periodasset_Periodhandler_Periodname);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.commerce.impl.asset.DynamicImageHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Commerce_Impl_Asset_Dynamic_Image_Handler;
--
procedure Com_Adobe_Cq_Commerce_Impl_Asset_Product_Asset_Handler_Provider_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodcommerce_Periodasset_Periodhandler_Periodfallback : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqCommerceImplAssetProductAssetHandlerProviderImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.commerce.asset.handler.fallback", Cq_Periodcommerce_Periodasset_Periodhandler_Periodfallback);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.commerce.impl.asset.ProductAssetHandlerProviderImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Commerce_Impl_Asset_Product_Asset_Handler_Provider_Impl;
--
procedure Com_Adobe_Cq_Commerce_Impl_Asset_Static_Image_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodcommerce_Periodasset_Periodhandler_Periodactive : in Swagger.Nullable_Boolean;
Cq_Periodcommerce_Periodasset_Periodhandler_Periodname : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqCommerceImplAssetStaticImageHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.commerce.asset.handler.active", Cq_Periodcommerce_Periodasset_Periodhandler_Periodactive);
URI.Add_Param ("cq.commerce.asset.handler.name", Cq_Periodcommerce_Periodasset_Periodhandler_Periodname);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.commerce.impl.asset.StaticImageHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Commerce_Impl_Asset_Static_Image_Handler;
--
procedure Com_Adobe_Cq_Commerce_Impl_Asset_Video_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodcommerce_Periodasset_Periodhandler_Periodactive : in Swagger.Nullable_Boolean;
Cq_Periodcommerce_Periodasset_Periodhandler_Periodname : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqCommerceImplAssetVideoHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.commerce.asset.handler.active", Cq_Periodcommerce_Periodasset_Periodhandler_Periodactive);
URI.Add_Param ("cq.commerce.asset.handler.name", Cq_Periodcommerce_Periodasset_Periodhandler_Periodname);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.commerce.impl.asset.VideoHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Commerce_Impl_Asset_Video_Handler;
--
procedure Com_Adobe_Cq_Commerce_Impl_Promotion_Promotion_Manager_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodcommerce_Periodpromotion_Periodroot : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqCommerceImplPromotionPromotionManagerImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.commerce.promotion.root", Cq_Periodcommerce_Periodpromotion_Periodroot);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.commerce.impl.promotion.PromotionManagerImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Commerce_Impl_Promotion_Promotion_Manager_Impl;
--
procedure Com_Adobe_Cq_Commerce_Pim_Impl_Cataloggenerator_Catalog_Generator_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodcommerce_Periodcataloggenerator_Periodbucketsize : in Swagger.Nullable_Integer;
Cq_Periodcommerce_Periodcataloggenerator_Periodbucketname : in Swagger.Nullable_UString;
Cq_Periodcommerce_Periodcataloggenerator_Periodexcludedtemplateproperties : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqCommercePimImplCataloggeneratorCatalogGeneratorImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.commerce.cataloggenerator.bucketsize", Cq_Periodcommerce_Periodcataloggenerator_Periodbucketsize);
URI.Add_Param ("cq.commerce.cataloggenerator.bucketname", Cq_Periodcommerce_Periodcataloggenerator_Periodbucketname);
URI.Add_Param ("cq.commerce.cataloggenerator.excludedtemplateproperties", Cq_Periodcommerce_Periodcataloggenerator_Periodexcludedtemplateproperties);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.commerce.pim.impl.cataloggenerator.CatalogGeneratorImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Commerce_Pim_Impl_Cataloggenerator_Catalog_Generator_Impl;
--
procedure Com_Adobe_Cq_Commerce_Pim_Impl_Page_Event_Listener
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodcommerce_Periodpageeventlistener_Periodenabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeCqCommercePimImplPageEventListenerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.commerce.pageeventlistener.enabled", Cq_Periodcommerce_Periodpageeventlistener_Periodenabled);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.commerce.pim.impl.PageEventListener");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Commerce_Pim_Impl_Page_Event_Listener;
--
procedure Com_Adobe_Cq_Commerce_Pim_Impl_Productfeed_Product_Feed_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Feed generator algorithm : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqCommercePimImplProductfeedProductFeedServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("Feed generator algorithm", Feed generator algorithm);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.commerce.pim.impl.productfeed.ProductFeedServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Commerce_Pim_Impl_Productfeed_Product_Feed_Service_Impl;
--
procedure Com_Adobe_Cq_Contentinsight_Impl_Reporting_Services_Settings_Provider
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Reportingservices_Periodurl : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqContentinsightImplReportingServicesSettingsProviderInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("reportingservices.url", Reportingservices_Periodurl);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.contentinsight.impl.ReportingServicesSettingsProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Contentinsight_Impl_Reporting_Services_Settings_Provider;
--
procedure Com_Adobe_Cq_Contentinsight_Impl_Servlets_Bright_Edge_Proxy_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Brightedge_Periodurl : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqContentinsightImplServletsBrightEdgeProxyServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("brightedge.url", Brightedge_Periodurl);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.contentinsight.impl.servlets.BrightEdgeProxyServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Contentinsight_Impl_Servlets_Bright_Edge_Proxy_Servlet;
--
procedure Com_Adobe_Cq_Contentinsight_Impl_Servlets_Reporting_Services_Proxy_Servle
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Reportingservices_Periodproxy_Periodwhitelist : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqContentinsightImplServletsReportingServicesProxyServleInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("reportingservices.proxy.whitelist", Reportingservices_Periodproxy_Periodwhitelist);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.contentinsight.impl.servlets.ReportingServicesProxyServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Contentinsight_Impl_Servlets_Reporting_Services_Proxy_Servle;
--
procedure Com_Adobe_Cq_Dam_Cfm_Impl_Component_Component_Config_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Dam_Periodcfm_Periodcomponent_Periodresource_Type : in Swagger.Nullable_UString;
Dam_Periodcfm_Periodcomponent_Periodfile_Reference_Prop : in Swagger.Nullable_UString;
Dam_Periodcfm_Periodcomponent_Periodelements_Prop : in Swagger.Nullable_UString;
Dam_Periodcfm_Periodcomponent_Periodvariation_Prop : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqDamCfmImplComponentComponentConfigImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("dam.cfm.component.resourceType", Dam_Periodcfm_Periodcomponent_Periodresource_Type);
URI.Add_Param ("dam.cfm.component.fileReferenceProp", Dam_Periodcfm_Periodcomponent_Periodfile_Reference_Prop);
URI.Add_Param ("dam.cfm.component.elementsProp", Dam_Periodcfm_Periodcomponent_Periodelements_Prop);
URI.Add_Param ("dam.cfm.component.variationProp", Dam_Periodcfm_Periodcomponent_Periodvariation_Prop);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.dam.cfm.impl.component.ComponentConfigImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Dam_Cfm_Impl_Component_Component_Config_Impl;
--
procedure Com_Adobe_Cq_Dam_Cfm_Impl_Conf_Feature_Config_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Dam_Periodcfm_Periodresource_Types : in Swagger.UString_Vectors.Vector;
Dam_Periodcfm_Periodreference_Properties : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqDamCfmImplConfFeatureConfigImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("dam.cfm.resourceTypes", Dam_Periodcfm_Periodresource_Types);
URI.Add_Param ("dam.cfm.referenceProperties", Dam_Periodcfm_Periodreference_Properties);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.dam.cfm.impl.conf.FeatureConfigImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Dam_Cfm_Impl_Conf_Feature_Config_Impl;
--
procedure Com_Adobe_Cq_Dam_Cfm_Impl_Content_Rewriter_Asset_Processor
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Pipeline_Periodtype : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqDamCfmImplContentRewriterAssetProcessorInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("pipeline.type", Pipeline_Periodtype);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.dam.cfm.impl.content.rewriter.AssetProcessor");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Dam_Cfm_Impl_Content_Rewriter_Asset_Processor;
--
procedure Com_Adobe_Cq_Dam_Cfm_Impl_Content_Rewriter_Par_Range_Filter
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Pipeline_Periodtype : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqDamCfmImplContentRewriterParRangeFilterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("pipeline.type", Pipeline_Periodtype);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.dam.cfm.impl.content.rewriter.ParRangeFilter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Dam_Cfm_Impl_Content_Rewriter_Par_Range_Filter;
--
procedure Com_Adobe_Cq_Dam_Cfm_Impl_Content_Rewriter_Payload_Filter
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Pipeline_Periodtype : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqDamCfmImplContentRewriterPayloadFilterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("pipeline.type", Pipeline_Periodtype);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.dam.cfm.impl.content.rewriter.PayloadFilter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Dam_Cfm_Impl_Content_Rewriter_Payload_Filter;
--
procedure Com_Adobe_Cq_Dam_Dm_Process_Image_P_Tiff_Manager_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Max_Memory : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqDamDmProcessImagePTiffManagerImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("maxMemory", Max_Memory);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.dam.dm.process.image.PTiffManagerImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Dam_Dm_Process_Image_P_Tiff_Manager_Impl;
--
procedure Com_Adobe_Cq_Dam_Ips_Impl_Replication_Trigger_Replicate_On_Modify_Worker
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Dmreplicateonmodify_Periodenabled : in Swagger.Nullable_Boolean;
Dmreplicateonmodify_Periodforcesyncdeletes : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeCqDamIpsImplReplicationTriggerReplicateOnModifyWorkerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("dmreplicateonmodify.enabled", Dmreplicateonmodify_Periodenabled);
URI.Add_Param ("dmreplicateonmodify.forcesyncdeletes", Dmreplicateonmodify_Periodforcesyncdeletes);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.dam.ips.impl.replication.trigger.ReplicateOnModifyWorker");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Dam_Ips_Impl_Replication_Trigger_Replicate_On_Modify_Worker;
--
procedure Com_Adobe_Cq_Dam_Mac_Sync_Helper_Impl_M_A_C_Sync_Client_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Com_Periodadobe_Perioddam_Periodmac_Periodsync_Periodclient_Periodso_Periodtimeout : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqDamMacSyncHelperImplMACSyncClientImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("com.adobe.dam.mac.sync.client.so.timeout", Com_Periodadobe_Perioddam_Periodmac_Periodsync_Periodclient_Periodso_Periodtimeout);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.dam.mac.sync.helper.impl.MACSyncClientImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Dam_Mac_Sync_Helper_Impl_M_A_C_Sync_Client_Impl;
--
procedure Com_Adobe_Cq_Dam_Mac_Sync_Impl_D_A_M_Sync_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Com_Periodadobe_Periodcq_Perioddam_Periodmac_Periodsync_Perioddamsyncservice_Periodregistered_Paths : in Swagger.UString_Vectors.Vector;
Com_Periodadobe_Periodcq_Perioddam_Periodmac_Periodsync_Perioddamsyncservice_Periodsync_Periodrenditions : in Swagger.Nullable_Boolean;
Com_Periodadobe_Periodcq_Perioddam_Periodmac_Periodsync_Perioddamsyncservice_Periodreplicate_Periodthread_Periodwait_Periodms : in Swagger.Nullable_Integer;
Com_Periodadobe_Periodcq_Perioddam_Periodmac_Periodsync_Perioddamsyncservice_Periodplatform : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqDamMacSyncImplDAMSyncServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("com.adobe.cq.dam.mac.sync.damsyncservice.registered_paths", Com_Periodadobe_Periodcq_Perioddam_Periodmac_Periodsync_Perioddamsyncservice_Periodregistered_Paths);
URI.Add_Param ("com.adobe.cq.dam.mac.sync.damsyncservice.sync.renditions", Com_Periodadobe_Periodcq_Perioddam_Periodmac_Periodsync_Perioddamsyncservice_Periodsync_Periodrenditions);
URI.Add_Param ("com.adobe.cq.dam.mac.sync.damsyncservice.replicate.thread.wait.ms", Com_Periodadobe_Periodcq_Perioddam_Periodmac_Periodsync_Perioddamsyncservice_Periodreplicate_Periodthread_Periodwait_Periodms);
URI.Add_Param ("com.adobe.cq.dam.mac.sync.damsyncservice.platform", Com_Periodadobe_Periodcq_Perioddam_Periodmac_Periodsync_Perioddamsyncservice_Periodplatform);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.dam.mac.sync.impl.DAMSyncServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Dam_Mac_Sync_Impl_D_A_M_Sync_Service_Impl;
--
procedure Com_Adobe_Cq_Dam_Processor_Nui_Impl_Nui_Asset_Processor
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Nui_Enabled : in Swagger.Nullable_Boolean;
Nui_Service_Url : in Swagger.Nullable_UString;
Nui_Api_Key : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqDamProcessorNuiImplNuiAssetProcessorInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("nuiEnabled", Nui_Enabled);
URI.Add_Param ("nuiServiceUrl", Nui_Service_Url);
URI.Add_Param ("nuiApiKey", Nui_Api_Key);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.dam.processor.nui.impl.NuiAssetProcessor");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Dam_Processor_Nui_Impl_Nui_Asset_Processor;
--
procedure Com_Adobe_Cq_Dam_S7imaging_Impl_Is_Image_Server_Component
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Tcp_Port : in Swagger.Nullable_UString;
Allow_Remote_Access : in Swagger.Nullable_Boolean;
Max_Render_Rgn_Pixels : in Swagger.Nullable_UString;
Max_Message_Size : in Swagger.Nullable_UString;
Random_Access_Url_Timeout : in Swagger.Nullable_Integer;
Worker_Threads : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqDamS7imagingImplIsImageServerComponentInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("TcpPort", Tcp_Port);
URI.Add_Param ("AllowRemoteAccess", Allow_Remote_Access);
URI.Add_Param ("MaxRenderRgnPixels", Max_Render_Rgn_Pixels);
URI.Add_Param ("MaxMessageSize", Max_Message_Size);
URI.Add_Param ("RandomAccessUrlTimeout", Random_Access_Url_Timeout);
URI.Add_Param ("WorkerThreads", Worker_Threads);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.dam.s7imaging.impl.is.ImageServerComponent");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Dam_S7imaging_Impl_Is_Image_Server_Component;
--
procedure Com_Adobe_Cq_Dam_S7imaging_Impl_Ps_Platform_Server_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cache_Periodenable : in Swagger.Nullable_Boolean;
Cache_Periodroot_Paths : in Swagger.UString_Vectors.Vector;
Cache_Periodmax_Size : in Swagger.Nullable_Integer;
Cache_Periodmax_Entries : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqDamS7imagingImplPsPlatformServerServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cache.enable", Cache_Periodenable);
URI.Add_Param ("cache.rootPaths", Cache_Periodroot_Paths);
URI.Add_Param ("cache.maxSize", Cache_Periodmax_Size);
URI.Add_Param ("cache.maxEntries", Cache_Periodmax_Entries);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.dam.s7imaging.impl.ps.PlatformServerServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Dam_S7imaging_Impl_Ps_Platform_Server_Servlet;
--
procedure Com_Adobe_Cq_Dam_Webdav_Impl_Io_Asset_I_O_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Path_Prefix : in Swagger.Nullable_UString;
Create_Version : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeCqDamWebdavImplIoAssetIOHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("pathPrefix", Path_Prefix);
URI.Add_Param ("createVersion", Create_Version);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.dam.webdav.impl.io.AssetIOHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Dam_Webdav_Impl_Io_Asset_I_O_Handler;
--
procedure Com_Adobe_Cq_Dam_Webdav_Impl_Io_Dam_Webdav_Version_Linking_Job
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Periodwebdav_Periodversion_Periodlinking_Periodenable : in Swagger.Nullable_Boolean;
Cq_Perioddam_Periodwebdav_Periodversion_Periodlinking_Periodscheduler_Periodperiod : in Swagger.Nullable_Integer;
Cq_Perioddam_Periodwebdav_Periodversion_Periodlinking_Periodstaging_Periodtimeout : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqDamWebdavImplIoDamWebdavVersionLinkingJobInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.dam.webdav.version.linking.enable", Cq_Perioddam_Periodwebdav_Periodversion_Periodlinking_Periodenable);
URI.Add_Param ("cq.dam.webdav.version.linking.scheduler.period", Cq_Perioddam_Periodwebdav_Periodversion_Periodlinking_Periodscheduler_Periodperiod);
URI.Add_Param ("cq.dam.webdav.version.linking.staging.timeout", Cq_Perioddam_Periodwebdav_Periodversion_Periodlinking_Periodstaging_Periodtimeout);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.dam.webdav.impl.io.DamWebdavVersionLinkingJob");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Dam_Webdav_Impl_Io_Dam_Webdav_Version_Linking_Job;
--
procedure Com_Adobe_Cq_Dam_Webdav_Impl_Io_Special_Files_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Com_Periodday_Periodcq_Perioddam_Periodcore_Periodimpl_Periodio_Period_Special_Files_Handler_Periodfilepatters : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqDamWebdavImplIoSpecialFilesHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("com.day.cq.dam.core.impl.io.SpecialFilesHandler.filepatters", Com_Periodday_Periodcq_Perioddam_Periodcore_Periodimpl_Periodio_Period_Special_Files_Handler_Periodfilepatters);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.dam.webdav.impl.io.SpecialFilesHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Dam_Webdav_Impl_Io_Special_Files_Handler;
--
procedure Com_Adobe_Cq_Deserfw_Impl_Deserialization_Firewall_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Firewall_Perioddeserialization_Periodwhitelist : in Swagger.UString_Vectors.Vector;
Firewall_Perioddeserialization_Periodblacklist : in Swagger.UString_Vectors.Vector;
Firewall_Perioddeserialization_Perioddiagnostics : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqDeserfwImplDeserializationFirewallImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("firewall.deserialization.whitelist", Firewall_Perioddeserialization_Periodwhitelist);
URI.Add_Param ("firewall.deserialization.blacklist", Firewall_Perioddeserialization_Periodblacklist);
URI.Add_Param ("firewall.deserialization.diagnostics", Firewall_Perioddeserialization_Perioddiagnostics);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.deserfw.impl.DeserializationFirewallImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Deserfw_Impl_Deserialization_Firewall_Impl;
--
procedure Com_Adobe_Cq_Dtm_Impl_Service_D_T_M_Web_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Connection_Periodtimeout : in Swagger.Nullable_Integer;
Socket_Periodtimeout : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqDtmImplServiceDTMWebServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("connection.timeout", Connection_Periodtimeout);
URI.Add_Param ("socket.timeout", Socket_Periodtimeout);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.dtm.impl.service.DTMWebServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Dtm_Impl_Service_D_T_M_Web_Service_Impl;
--
procedure Com_Adobe_Cq_Dtm_Impl_Servlets_D_T_M_Deploy_Hook_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Dtm_Periodstaging_Periodip_Periodwhitelist : in Swagger.UString_Vectors.Vector;
Dtm_Periodproduction_Periodip_Periodwhitelist : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqDtmImplServletsDTMDeployHookServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("dtm.staging.ip.whitelist", Dtm_Periodstaging_Periodip_Periodwhitelist);
URI.Add_Param ("dtm.production.ip.whitelist", Dtm_Periodproduction_Periodip_Periodwhitelist);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.dtm.impl.servlets.DTMDeployHookServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Dtm_Impl_Servlets_D_T_M_Deploy_Hook_Servlet;
--
procedure Com_Adobe_Cq_Dtm_Reactor_Impl_Service_Web_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Endpoint_Uri : in Swagger.Nullable_UString;
Connection_Timeout : in Swagger.Nullable_Integer;
Socket_Timeout : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqDtmReactorImplServiceWebServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("endpointUri", Endpoint_Uri);
URI.Add_Param ("connectionTimeout", Connection_Timeout);
URI.Add_Param ("socketTimeout", Socket_Timeout);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.dtm.reactor.impl.service.WebServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Dtm_Reactor_Impl_Service_Web_Service_Impl;
--
procedure Com_Adobe_Cq_Experiencelog_Impl_Experience_Log_Config_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Enabled : in Swagger.Nullable_Boolean;
Disabled_For_Groups : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqExperiencelogImplExperienceLogConfigServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("enabled", Enabled);
URI.Add_Param ("disabledForGroups", Disabled_For_Groups);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.experiencelog.impl.ExperienceLogConfigServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Experiencelog_Impl_Experience_Log_Config_Servlet;
--
procedure Com_Adobe_Cq_Hc_Content_Packages_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodname : in Swagger.Nullable_UString;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Hc_Periodmbean_Periodname : in Swagger.Nullable_UString;
Package_Periodnames : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqHcContentPackagesHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.name", Hc_Periodname);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Add_Param ("hc.mbean.name", Hc_Periodmbean_Periodname);
URI.Add_Param ("package.names", Package_Periodnames);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.hc.ContentPackagesHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Hc_Content_Packages_Health_Check;
--
procedure Com_Adobe_Cq_History_Impl_History_Request_Filter
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
History_Periodrequest_Filter_Periodexcluded_Selectors : in Swagger.UString_Vectors.Vector;
History_Periodrequest_Filter_Periodexcluded_Extensions : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqHistoryImplHistoryRequestFilterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("history.requestFilter.excludedSelectors", History_Periodrequest_Filter_Periodexcluded_Selectors);
URI.Add_Param ("history.requestFilter.excludedExtensions", History_Periodrequest_Filter_Periodexcluded_Extensions);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.history.impl.HistoryRequestFilter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_History_Impl_History_Request_Filter;
--
procedure Com_Adobe_Cq_History_Impl_History_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
History_Periodservice_Periodresource_Types : in Swagger.UString_Vectors.Vector;
History_Periodservice_Periodpath_Filter : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqHistoryImplHistoryServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("history.service.resourceTypes", History_Periodservice_Periodresource_Types);
URI.Add_Param ("history.service.pathFilter", History_Periodservice_Periodpath_Filter);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.history.impl.HistoryServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_History_Impl_History_Service_Impl;
--
procedure Com_Adobe_Cq_Inbox_Impl_Typeprovider_Item_Type_Provider
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Inbox_Periodimpl_Periodtypeprovider_Periodregistrypaths : in Swagger.UString_Vectors.Vector;
Inbox_Periodimpl_Periodtypeprovider_Periodlegacypaths : in Swagger.UString_Vectors.Vector;
Inbox_Periodimpl_Periodtypeprovider_Perioddefaulturl_Periodfailureitem : in Swagger.Nullable_UString;
Inbox_Periodimpl_Periodtypeprovider_Perioddefaulturl_Periodworkitem : in Swagger.Nullable_UString;
Inbox_Periodimpl_Periodtypeprovider_Perioddefaulturl_Periodtask : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqInboxImplTypeproviderItemTypeProviderInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("inbox.impl.typeprovider.registrypaths", Inbox_Periodimpl_Periodtypeprovider_Periodregistrypaths);
URI.Add_Param ("inbox.impl.typeprovider.legacypaths", Inbox_Periodimpl_Periodtypeprovider_Periodlegacypaths);
URI.Add_Param ("inbox.impl.typeprovider.defaulturl.failureitem", Inbox_Periodimpl_Periodtypeprovider_Perioddefaulturl_Periodfailureitem);
URI.Add_Param ("inbox.impl.typeprovider.defaulturl.workitem", Inbox_Periodimpl_Periodtypeprovider_Perioddefaulturl_Periodworkitem);
URI.Add_Param ("inbox.impl.typeprovider.defaulturl.task", Inbox_Periodimpl_Periodtypeprovider_Perioddefaulturl_Periodtask);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.inbox.impl.typeprovider.ItemTypeProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Inbox_Impl_Typeprovider_Item_Type_Provider;
--
procedure Com_Adobe_Cq_Projects_Impl_Servlet_Project_Image_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Image_Periodquality : in Swagger.Nullable_UString;
Image_Periodsupported_Periodresolutions : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqProjectsImplServletProjectImageServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("image.quality", Image_Periodquality);
URI.Add_Param ("image.supported.resolutions", Image_Periodsupported_Periodresolutions);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.projects.impl.servlet.ProjectImageServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Projects_Impl_Servlet_Project_Image_Servlet;
--
procedure Com_Adobe_Cq_Projects_Purge_Scheduler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Scheduledpurge_Periodname : in Swagger.Nullable_UString;
Scheduledpurge_Periodpurge_Active : in Swagger.Nullable_Boolean;
Scheduledpurge_Periodtemplates : in Swagger.UString_Vectors.Vector;
Scheduledpurge_Periodpurge_Groups : in Swagger.Nullable_Boolean;
Scheduledpurge_Periodpurge_Assets : in Swagger.Nullable_Boolean;
Scheduledpurge_Periodterminate_Running_Workflows : in Swagger.Nullable_Boolean;
Scheduledpurge_Perioddaysold : in Swagger.Nullable_Integer;
Scheduledpurge_Periodsave_Threshold : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqProjectsPurgeSchedulerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("scheduledpurge.name", Scheduledpurge_Periodname);
URI.Add_Param ("scheduledpurge.purgeActive", Scheduledpurge_Periodpurge_Active);
URI.Add_Param ("scheduledpurge.templates", Scheduledpurge_Periodtemplates);
URI.Add_Param ("scheduledpurge.purgeGroups", Scheduledpurge_Periodpurge_Groups);
URI.Add_Param ("scheduledpurge.purgeAssets", Scheduledpurge_Periodpurge_Assets);
URI.Add_Param ("scheduledpurge.terminateRunningWorkflows", Scheduledpurge_Periodterminate_Running_Workflows);
URI.Add_Param ("scheduledpurge.daysold", Scheduledpurge_Perioddaysold);
URI.Add_Param ("scheduledpurge.saveThreshold", Scheduledpurge_Periodsave_Threshold);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.projects.purge.Scheduler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Projects_Purge_Scheduler;
--
procedure Com_Adobe_Cq_Scheduled_Exporter_Impl_Scheduled_Exporter_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Include_Periodpaths : in Swagger.UString_Vectors.Vector;
Exporter_Perioduser : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqScheduledExporterImplScheduledExporterImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("include.paths", Include_Periodpaths);
URI.Add_Param ("exporter.user", Exporter_Perioduser);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.scheduled.exporter.impl.ScheduledExporterImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Scheduled_Exporter_Impl_Scheduled_Exporter_Impl;
--
procedure Com_Adobe_Cq_Screens_Analytics_Impl_Screens_Analytics_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Com_Periodadobe_Periodcq_Periodscreens_Periodanalytics_Periodimpl_Periodurl : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodscreens_Periodanalytics_Periodimpl_Periodapikey : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodscreens_Periodanalytics_Periodimpl_Periodproject : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodscreens_Periodanalytics_Periodimpl_Periodenvironment : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodscreens_Periodanalytics_Periodimpl_Periodsend_Frequency : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqScreensAnalyticsImplScreensAnalyticsServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("com.adobe.cq.screens.analytics.impl.url", Com_Periodadobe_Periodcq_Periodscreens_Periodanalytics_Periodimpl_Periodurl);
URI.Add_Param ("com.adobe.cq.screens.analytics.impl.apikey", Com_Periodadobe_Periodcq_Periodscreens_Periodanalytics_Periodimpl_Periodapikey);
URI.Add_Param ("com.adobe.cq.screens.analytics.impl.project", Com_Periodadobe_Periodcq_Periodscreens_Periodanalytics_Periodimpl_Periodproject);
URI.Add_Param ("com.adobe.cq.screens.analytics.impl.environment", Com_Periodadobe_Periodcq_Periodscreens_Periodanalytics_Periodimpl_Periodenvironment);
URI.Add_Param ("com.adobe.cq.screens.analytics.impl.sendFrequency", Com_Periodadobe_Periodcq_Periodscreens_Periodanalytics_Periodimpl_Periodsend_Frequency);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.screens.analytics.impl.ScreensAnalyticsServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Screens_Analytics_Impl_Screens_Analytics_Service_Impl;
--
procedure Com_Adobe_Cq_Screens_Device_Impl_Device_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Com_Periodadobe_Periodaem_Periodscreens_Periodplayer_Periodpingfrequency : in Swagger.Nullable_Integer;
Com_Periodadobe_Periodaem_Periodscreens_Perioddevice_Periodpasword_Periodspecialchars : in Swagger.Nullable_UString;
Com_Periodadobe_Periodaem_Periodscreens_Perioddevice_Periodpasword_Periodminlowercasechars : in Swagger.Nullable_Integer;
Com_Periodadobe_Periodaem_Periodscreens_Perioddevice_Periodpasword_Periodminuppercasechars : in Swagger.Nullable_Integer;
Com_Periodadobe_Periodaem_Periodscreens_Perioddevice_Periodpasword_Periodminnumberchars : in Swagger.Nullable_Integer;
Com_Periodadobe_Periodaem_Periodscreens_Perioddevice_Periodpasword_Periodminspecialchars : in Swagger.Nullable_Integer;
Com_Periodadobe_Periodaem_Periodscreens_Perioddevice_Periodpasword_Periodminlength : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqScreensDeviceImplDeviceServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("com.adobe.aem.screens.player.pingfrequency", Com_Periodadobe_Periodaem_Periodscreens_Periodplayer_Periodpingfrequency);
URI.Add_Param ("com.adobe.aem.screens.device.pasword.specialchars", Com_Periodadobe_Periodaem_Periodscreens_Perioddevice_Periodpasword_Periodspecialchars);
URI.Add_Param ("com.adobe.aem.screens.device.pasword.minlowercasechars", Com_Periodadobe_Periodaem_Periodscreens_Perioddevice_Periodpasword_Periodminlowercasechars);
URI.Add_Param ("com.adobe.aem.screens.device.pasword.minuppercasechars", Com_Periodadobe_Periodaem_Periodscreens_Perioddevice_Periodpasword_Periodminuppercasechars);
URI.Add_Param ("com.adobe.aem.screens.device.pasword.minnumberchars", Com_Periodadobe_Periodaem_Periodscreens_Perioddevice_Periodpasword_Periodminnumberchars);
URI.Add_Param ("com.adobe.aem.screens.device.pasword.minspecialchars", Com_Periodadobe_Periodaem_Periodscreens_Perioddevice_Periodpasword_Periodminspecialchars);
URI.Add_Param ("com.adobe.aem.screens.device.pasword.minlength", Com_Periodadobe_Periodaem_Periodscreens_Perioddevice_Periodpasword_Periodminlength);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.screens.device.impl.DeviceService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Screens_Device_Impl_Device_Service;
--
procedure Com_Adobe_Cq_Screens_Device_Registration_Impl_Registration_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Device_Registration_Timeout : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqScreensDeviceRegistrationImplRegistrationServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("deviceRegistrationTimeout", Device_Registration_Timeout);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.screens.device.registration.impl.RegistrationServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Screens_Device_Registration_Impl_Registration_Service_Impl;
--
procedure Com_Adobe_Cq_Screens_Impl_Handler_Channels_Update_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodpagesupdatehandler_Periodimageresourcetypes : in Swagger.UString_Vectors.Vector;
Cq_Periodpagesupdatehandler_Periodproductresourcetypes : in Swagger.UString_Vectors.Vector;
Cq_Periodpagesupdatehandler_Periodvideoresourcetypes : in Swagger.UString_Vectors.Vector;
Cq_Periodpagesupdatehandler_Perioddynamicsequenceresourcetypes : in Swagger.UString_Vectors.Vector;
Cq_Periodpagesupdatehandler_Periodpreviewmodepaths : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqScreensImplHandlerChannelsUpdateHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.pagesupdatehandler.imageresourcetypes", Cq_Periodpagesupdatehandler_Periodimageresourcetypes);
URI.Add_Param ("cq.pagesupdatehandler.productresourcetypes", Cq_Periodpagesupdatehandler_Periodproductresourcetypes);
URI.Add_Param ("cq.pagesupdatehandler.videoresourcetypes", Cq_Periodpagesupdatehandler_Periodvideoresourcetypes);
URI.Add_Param ("cq.pagesupdatehandler.dynamicsequenceresourcetypes", Cq_Periodpagesupdatehandler_Perioddynamicsequenceresourcetypes);
URI.Add_Param ("cq.pagesupdatehandler.previewmodepaths", Cq_Periodpagesupdatehandler_Periodpreviewmodepaths);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.screens.impl.handler.ChannelsUpdateHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Screens_Impl_Handler_Channels_Update_Handler;
--
procedure Com_Adobe_Cq_Screens_Impl_Jobs_Distributed_Devices_Stati_Update_Job
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Scheduler_Periodexpression : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqScreensImplJobsDistributedDevicesStatiUpdateJobInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("scheduler.expression", Scheduler_Periodexpression);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.screens.impl.jobs.DistributedDevicesStatiUpdateJob");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Screens_Impl_Jobs_Distributed_Devices_Stati_Update_Job;
--
procedure Com_Adobe_Cq_Screens_Impl_Remote_Impl_Distributed_Http_Client_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Com_Periodadobe_Periodaem_Periodscreens_Periodimpl_Periodremote_Periodrequest_Timeout : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqScreensImplRemoteImplDistributedHttpClientImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("com.adobe.aem.screens.impl.remote.request_timeout", Com_Periodadobe_Periodaem_Periodscreens_Periodimpl_Periodremote_Periodrequest_Timeout);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.screens.impl.remote.impl.DistributedHttpClientImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Screens_Impl_Remote_Impl_Distributed_Http_Client_Impl;
--
procedure Com_Adobe_Cq_Screens_Impl_Screens_Channel_Post_Processor
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Screens_Periodchannels_Periodproperties_Periodto_Periodremove : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqScreensImplScreensChannelPostProcessorInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("screens.channels.properties.to.remove", Screens_Periodchannels_Periodproperties_Periodto_Periodremove);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.screens.impl.ScreensChannelPostProcessor");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Screens_Impl_Screens_Channel_Post_Processor;
--
procedure Com_Adobe_Cq_Screens_Monitoring_Impl_Screens_Monitoring_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Com_Periodadobe_Periodcq_Periodscreens_Periodmonitoring_Periodimpl_Period_Screens_Monitoring_Service_Impl_Periodproject_Path : in Swagger.UString_Vectors.Vector;
Com_Periodadobe_Periodcq_Periodscreens_Periodmonitoring_Periodimpl_Period_Screens_Monitoring_Service_Impl_Periodschedule_Frequency : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodscreens_Periodmonitoring_Periodimpl_Period_Screens_Monitoring_Service_Impl_Periodping_Timeout : in Swagger.Nullable_Integer;
Com_Periodadobe_Periodcq_Periodscreens_Periodmonitoring_Periodimpl_Period_Screens_Monitoring_Service_Impl_Periodrecipients : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodscreens_Periodmonitoring_Periodimpl_Period_Screens_Monitoring_Service_Impl_Periodsmtpserver : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodscreens_Periodmonitoring_Periodimpl_Period_Screens_Monitoring_Service_Impl_Periodsmtpport : in Swagger.Nullable_Integer;
Com_Periodadobe_Periodcq_Periodscreens_Periodmonitoring_Periodimpl_Period_Screens_Monitoring_Service_Impl_Periodusetls : in Swagger.Nullable_Boolean;
Com_Periodadobe_Periodcq_Periodscreens_Periodmonitoring_Periodimpl_Period_Screens_Monitoring_Service_Impl_Periodusername : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodscreens_Periodmonitoring_Periodimpl_Period_Screens_Monitoring_Service_Impl_Periodpassword : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqScreensMonitoringImplScreensMonitoringServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("com.adobe.cq.screens.monitoring.impl.ScreensMonitoringServiceImpl.projectPath", Com_Periodadobe_Periodcq_Periodscreens_Periodmonitoring_Periodimpl_Period_Screens_Monitoring_Service_Impl_Periodproject_Path);
URI.Add_Param ("com.adobe.cq.screens.monitoring.impl.ScreensMonitoringServiceImpl.scheduleFrequency", Com_Periodadobe_Periodcq_Periodscreens_Periodmonitoring_Periodimpl_Period_Screens_Monitoring_Service_Impl_Periodschedule_Frequency);
URI.Add_Param ("com.adobe.cq.screens.monitoring.impl.ScreensMonitoringServiceImpl.pingTimeout", Com_Periodadobe_Periodcq_Periodscreens_Periodmonitoring_Periodimpl_Period_Screens_Monitoring_Service_Impl_Periodping_Timeout);
URI.Add_Param ("com.adobe.cq.screens.monitoring.impl.ScreensMonitoringServiceImpl.recipients", Com_Periodadobe_Periodcq_Periodscreens_Periodmonitoring_Periodimpl_Period_Screens_Monitoring_Service_Impl_Periodrecipients);
URI.Add_Param ("com.adobe.cq.screens.monitoring.impl.ScreensMonitoringServiceImpl.smtpserver", Com_Periodadobe_Periodcq_Periodscreens_Periodmonitoring_Periodimpl_Period_Screens_Monitoring_Service_Impl_Periodsmtpserver);
URI.Add_Param ("com.adobe.cq.screens.monitoring.impl.ScreensMonitoringServiceImpl.smtpport", Com_Periodadobe_Periodcq_Periodscreens_Periodmonitoring_Periodimpl_Period_Screens_Monitoring_Service_Impl_Periodsmtpport);
URI.Add_Param ("com.adobe.cq.screens.monitoring.impl.ScreensMonitoringServiceImpl.usetls", Com_Periodadobe_Periodcq_Periodscreens_Periodmonitoring_Periodimpl_Period_Screens_Monitoring_Service_Impl_Periodusetls);
URI.Add_Param ("com.adobe.cq.screens.monitoring.impl.ScreensMonitoringServiceImpl.username", Com_Periodadobe_Periodcq_Periodscreens_Periodmonitoring_Periodimpl_Period_Screens_Monitoring_Service_Impl_Periodusername);
URI.Add_Param ("com.adobe.cq.screens.monitoring.impl.ScreensMonitoringServiceImpl.password", Com_Periodadobe_Periodcq_Periodscreens_Periodmonitoring_Periodimpl_Period_Screens_Monitoring_Service_Impl_Periodpassword);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.screens.monitoring.impl.ScreensMonitoringServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Screens_Monitoring_Impl_Screens_Monitoring_Service_Impl;
--
procedure Com_Adobe_Cq_Screens_Mq_Activemq_Impl_Artemis_J_M_S_Provider
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Global_Periodsize : in Swagger.Nullable_Integer;
Max_Perioddisk_Periodusage : in Swagger.Nullable_Integer;
Persistence_Periodenabled : in Swagger.Nullable_Boolean;
Thread_Periodpool_Periodmax_Periodsize : in Swagger.Nullable_Integer;
Scheduled_Periodthread_Periodpool_Periodmax_Periodsize : in Swagger.Nullable_Integer;
Graceful_Periodshutdown_Periodtimeout : in Swagger.Nullable_Integer;
Queues : in Swagger.UString_Vectors.Vector;
Topics : in Swagger.UString_Vectors.Vector;
Addresses_Periodmax_Perioddelivery_Periodattempts : in Swagger.Nullable_Integer;
Addresses_Periodexpiry_Perioddelay : in Swagger.Nullable_Integer;
Addresses_Periodaddress_Periodfull_Periodmessage_Periodpolicy : in Swagger.Nullable_UString;
Addresses_Periodmax_Periodsize_Periodbytes : in Swagger.Nullable_Integer;
Addresses_Periodpage_Periodsize_Periodbytes : in Swagger.Nullable_Integer;
Addresses_Periodpage_Periodcache_Periodmax_Periodsize : in Swagger.Nullable_Integer;
Cluster_Perioduser : in Swagger.Nullable_UString;
Cluster_Periodpassword : in Swagger.Nullable_UString;
Cluster_Periodcall_Periodtimeout : in Swagger.Nullable_Integer;
Cluster_Periodcall_Periodfailover_Periodtimeout : in Swagger.Nullable_Integer;
Cluster_Periodclient_Periodfailure_Periodcheck_Periodperiod : in Swagger.Nullable_Integer;
Cluster_Periodnotification_Periodattempts : in Swagger.Nullable_Integer;
Cluster_Periodnotification_Periodinterval : in Swagger.Nullable_Integer;
Id_Periodcache_Periodsize : in Swagger.Nullable_Integer;
Cluster_Periodconfirmation_Periodwindow_Periodsize : in Swagger.Nullable_Integer;
Cluster_Periodconnection_Periodttl : in Swagger.Nullable_Integer;
Cluster_Periodduplicate_Perioddetection : in Swagger.Nullable_Boolean;
Cluster_Periodinitial_Periodconnect_Periodattempts : in Swagger.Nullable_Integer;
Cluster_Periodmax_Periodretry_Periodinterval : in Swagger.Nullable_Integer;
Cluster_Periodmin_Periodlarge_Periodmessage_Periodsize : in Swagger.Nullable_Integer;
Cluster_Periodproducer_Periodwindow_Periodsize : in Swagger.Nullable_Integer;
Cluster_Periodreconnect_Periodattempts : in Swagger.Nullable_Integer;
Cluster_Periodretry_Periodinterval : in Swagger.Nullable_Integer;
Cluster_Periodretry_Periodinterval_Periodmultiplier : in Swagger.Number;
Result : out .Models.ComAdobeCqScreensMqActivemqImplArtemisJMSProviderInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("global.size", Global_Periodsize);
URI.Add_Param ("max.disk.usage", Max_Perioddisk_Periodusage);
URI.Add_Param ("persistence.enabled", Persistence_Periodenabled);
URI.Add_Param ("thread.pool.max.size", Thread_Periodpool_Periodmax_Periodsize);
URI.Add_Param ("scheduled.thread.pool.max.size", Scheduled_Periodthread_Periodpool_Periodmax_Periodsize);
URI.Add_Param ("graceful.shutdown.timeout", Graceful_Periodshutdown_Periodtimeout);
URI.Add_Param ("queues", Queues);
URI.Add_Param ("topics", Topics);
URI.Add_Param ("addresses.max.delivery.attempts", Addresses_Periodmax_Perioddelivery_Periodattempts);
URI.Add_Param ("addresses.expiry.delay", Addresses_Periodexpiry_Perioddelay);
URI.Add_Param ("addresses.address.full.message.policy", Addresses_Periodaddress_Periodfull_Periodmessage_Periodpolicy);
URI.Add_Param ("addresses.max.size.bytes", Addresses_Periodmax_Periodsize_Periodbytes);
URI.Add_Param ("addresses.page.size.bytes", Addresses_Periodpage_Periodsize_Periodbytes);
URI.Add_Param ("addresses.page.cache.max.size", Addresses_Periodpage_Periodcache_Periodmax_Periodsize);
URI.Add_Param ("cluster.user", Cluster_Perioduser);
URI.Add_Param ("cluster.password", Cluster_Periodpassword);
URI.Add_Param ("cluster.call.timeout", Cluster_Periodcall_Periodtimeout);
URI.Add_Param ("cluster.call.failover.timeout", Cluster_Periodcall_Periodfailover_Periodtimeout);
URI.Add_Param ("cluster.client.failure.check.period", Cluster_Periodclient_Periodfailure_Periodcheck_Periodperiod);
URI.Add_Param ("cluster.notification.attempts", Cluster_Periodnotification_Periodattempts);
URI.Add_Param ("cluster.notification.interval", Cluster_Periodnotification_Periodinterval);
URI.Add_Param ("id.cache.size", Id_Periodcache_Periodsize);
URI.Add_Param ("cluster.confirmation.window.size", Cluster_Periodconfirmation_Periodwindow_Periodsize);
URI.Add_Param ("cluster.connection.ttl", Cluster_Periodconnection_Periodttl);
URI.Add_Param ("cluster.duplicate.detection", Cluster_Periodduplicate_Perioddetection);
URI.Add_Param ("cluster.initial.connect.attempts", Cluster_Periodinitial_Periodconnect_Periodattempts);
URI.Add_Param ("cluster.max.retry.interval", Cluster_Periodmax_Periodretry_Periodinterval);
URI.Add_Param ("cluster.min.large.message.size", Cluster_Periodmin_Periodlarge_Periodmessage_Periodsize);
URI.Add_Param ("cluster.producer.window.size", Cluster_Periodproducer_Periodwindow_Periodsize);
URI.Add_Param ("cluster.reconnect.attempts", Cluster_Periodreconnect_Periodattempts);
URI.Add_Param ("cluster.retry.interval", Cluster_Periodretry_Periodinterval);
URI.Add_Param ("cluster.retry.interval.multiplier", Cluster_Periodretry_Periodinterval_Periodmultiplier);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.screens.mq.activemq.impl.ArtemisJMSProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Screens_Mq_Activemq_Impl_Artemis_J_M_S_Provider;
--
procedure Com_Adobe_Cq_Screens_Offlinecontent_Impl_Bulk_Offline_Update_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Com_Periodadobe_Periodcq_Periodscreens_Periodofflinecontent_Periodimpl_Period_Bulk_Offline_Update_Service_Impl_Periodproject_Path : in Swagger.UString_Vectors.Vector;
Com_Periodadobe_Periodcq_Periodscreens_Periodofflinecontent_Periodimpl_Period_Bulk_Offline_Update_Service_Impl_Periodschedule_Frequency : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqScreensOfflinecontentImplBulkOfflineUpdateServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("com.adobe.cq.screens.offlinecontent.impl.BulkOfflineUpdateServiceImpl.projectPath", Com_Periodadobe_Periodcq_Periodscreens_Periodofflinecontent_Periodimpl_Period_Bulk_Offline_Update_Service_Impl_Periodproject_Path);
URI.Add_Param ("com.adobe.cq.screens.offlinecontent.impl.BulkOfflineUpdateServiceImpl.scheduleFrequency", Com_Periodadobe_Periodcq_Periodscreens_Periodofflinecontent_Periodimpl_Period_Bulk_Offline_Update_Service_Impl_Periodschedule_Frequency);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.screens.offlinecontent.impl.BulkOfflineUpdateServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Screens_Offlinecontent_Impl_Bulk_Offline_Update_Service_Impl;
--
procedure Com_Adobe_Cq_Screens_Offlinecontent_Impl_Offline_Content_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Disable_Smart_Sync : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeCqScreensOfflinecontentImplOfflineContentServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("disableSmartSync", Disable_Smart_Sync);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.screens.offlinecontent.impl.OfflineContentServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Screens_Offlinecontent_Impl_Offline_Content_Service_Impl;
--
procedure Com_Adobe_Cq_Screens_Segmentation_Impl_Segmentation_Feature_Flag
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Enable_Data_Triggered_Content : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeCqScreensSegmentationImplSegmentationFeatureFlagInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("enableDataTriggeredContent", Enable_Data_Triggered_Content);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.screens.segmentation.impl.SegmentationFeatureFlag");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Screens_Segmentation_Impl_Segmentation_Feature_Flag;
--
procedure Com_Adobe_Cq_Security_Hc_Bundles_Impl_Html_Library_Manager_Config_Health_Ch
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSecurityHcBundlesImplHtmlLibraryManagerConfigHealthChInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.security.hc.bundles.impl.HtmlLibraryManagerConfigHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Security_Hc_Bundles_Impl_Html_Library_Manager_Config_Health_Ch;
--
procedure Com_Adobe_Cq_Security_Hc_Bundles_Impl_Wcm_Filter_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSecurityHcBundlesImplWcmFilterHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.security.hc.bundles.impl.WcmFilterHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Security_Hc_Bundles_Impl_Wcm_Filter_Health_Check;
--
procedure Com_Adobe_Cq_Security_Hc_Dispatcher_Impl_Dispatcher_Access_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Dispatcher_Periodaddress : in Swagger.Nullable_UString;
Dispatcher_Periodfilter_Periodallowed : in Swagger.UString_Vectors.Vector;
Dispatcher_Periodfilter_Periodblocked : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSecurityHcDispatcherImplDispatcherAccessHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Add_Param ("dispatcher.address", Dispatcher_Periodaddress);
URI.Add_Param ("dispatcher.filter.allowed", Dispatcher_Periodfilter_Periodallowed);
URI.Add_Param ("dispatcher.filter.blocked", Dispatcher_Periodfilter_Periodblocked);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.security.hc.dispatcher.impl.DispatcherAccessHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Security_Hc_Dispatcher_Impl_Dispatcher_Access_Health_Check;
--
procedure Com_Adobe_Cq_Security_Hc_Packages_Impl_Example_Content_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSecurityHcPackagesImplExampleContentHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.security.hc.packages.impl.ExampleContentHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Security_Hc_Packages_Impl_Example_Content_Health_Check;
--
procedure Com_Adobe_Cq_Security_Hc_Webserver_Impl_Clickjacking_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Webserver_Periodaddress : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqSecurityHcWebserverImplClickjackingHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Add_Param ("webserver.address", Webserver_Periodaddress);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.security.hc.webserver.impl.ClickjackingHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Security_Hc_Webserver_Impl_Clickjacking_Health_Check;
--
procedure Com_Adobe_Cq_Social_Accountverification_Impl_Account_Management_Config_Im
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Enable : in Swagger.Nullable_Boolean;
Ttl1 : in Swagger.Nullable_Integer;
Ttl2 : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialAccountverificationImplAccountManagementConfigImInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("enable", Enable);
URI.Add_Param ("ttl1", Ttl1);
URI.Add_Param ("ttl2", Ttl2);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.accountverification.impl.AccountManagementConfigImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Accountverification_Impl_Account_Management_Config_Im;
--
procedure Com_Adobe_Cq_Social_Activitystreams_Client_Impl_Social_Activity_Componen
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Priority : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialActivitystreamsClientImplSocialActivityComponenInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("priority", Priority);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.activitystreams.client.impl.SocialActivityComponentFactoryImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Activitystreams_Client_Impl_Social_Activity_Componen;
--
procedure Com_Adobe_Cq_Social_Activitystreams_Client_Impl_Social_Activity_Stream_Co
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Priority : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialActivitystreamsClientImplSocialActivityStreamCoInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("priority", Priority);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.activitystreams.client.impl.SocialActivityStreamComponentFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Activitystreams_Client_Impl_Social_Activity_Stream_Co;
--
procedure Com_Adobe_Cq_Social_Activitystreams_Listener_Impl_Event_Listener_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Event_Periodtopics : in Swagger.Nullable_UString;
Event_Periodfilter : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqSocialActivitystreamsListenerImplEventListenerHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("event.topics", Event_Periodtopics);
URI.Add_Param ("event.filter", Event_Periodfilter);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.activitystreams.listener.impl.EventListenerHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Activitystreams_Listener_Impl_Event_Listener_Handler;
--
procedure Com_Adobe_Cq_Social_Activitystreams_Listener_Impl_Moderation_Event_Exten
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Accepted : in Swagger.Nullable_Boolean;
Ranked : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialActivitystreamsListenerImplModerationEventExtenInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("accepted", Accepted);
URI.Add_Param ("ranked", Ranked);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.activitystreams.listener.impl.ModerationEventExtension");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Activitystreams_Listener_Impl_Moderation_Event_Exten;
--
procedure Com_Adobe_Cq_Social_Activitystreams_Listener_Impl_Rating_Event_Activity_S
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Ranking : in Swagger.Nullable_Integer;
Enable : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeCqSocialActivitystreamsListenerImplRatingEventActivitySInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("ranking", Ranking);
URI.Add_Param ("enable", Enable);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.activitystreams.listener.impl.RatingEventActivitySuppressor");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Activitystreams_Listener_Impl_Rating_Event_Activity_S;
--
procedure Com_Adobe_Cq_Social_Activitystreams_Listener_Impl_Resource_Activity_Stre
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Stream_Path : in Swagger.Nullable_UString;
Stream_Name : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqSocialActivitystreamsListenerImplResourceActivityStreInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("streamPath", Stream_Path);
URI.Add_Param ("streamName", Stream_Name);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.activitystreams.listener.impl.ResourceActivityStreamProviderFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Activitystreams_Listener_Impl_Resource_Activity_Stre;
--
procedure Com_Adobe_Cq_Social_Calendar_Client_Endpoints_Impl_Calendar_Operations_I
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Max_Retry : in Swagger.Nullable_Integer;
Field_Whitelist : in Swagger.UString_Vectors.Vector;
Attachment_Type_Blacklist : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSocialCalendarClientEndpointsImplCalendarOperationsIInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("MaxRetry", Max_Retry);
URI.Add_Param ("fieldWhitelist", Field_Whitelist);
URI.Add_Param ("attachmentTypeBlacklist", Attachment_Type_Blacklist);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.calendar.client.endpoints.impl.CalendarOperationsImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Calendar_Client_Endpoints_Impl_Calendar_Operations_I;
--
procedure Com_Adobe_Cq_Social_Calendar_Client_Operationextensions_Event_Attachmen
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Attachment_Type_Blacklist : in Swagger.Nullable_UString;
Extension_Periodorder : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialCalendarClientOperationextensionsEventAttachmenInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("attachmentTypeBlacklist", Attachment_Type_Blacklist);
URI.Add_Param ("extension.order", Extension_Periodorder);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.calendar.client.operationextensions.EventAttachment");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Calendar_Client_Operationextensions_Event_Attachmen;
--
procedure Com_Adobe_Cq_Social_Calendar_Servlets_Time_Zone_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Timezones_Periodexpirytime : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialCalendarServletsTimeZoneServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("timezones.expirytime", Timezones_Periodexpirytime);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.calendar.servlets.TimeZoneServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Calendar_Servlets_Time_Zone_Servlet;
--
procedure Com_Adobe_Cq_Social_Commons_Comments_Endpoints_Impl_Comment_Delete_Event
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Ranking : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialCommonsCommentsEndpointsImplCommentDeleteEventInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("ranking", Ranking);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.commons.comments.endpoints.impl.CommentDeleteEventActivitySuppressor");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Commons_Comments_Endpoints_Impl_Comment_Delete_Event;
--
procedure Com_Adobe_Cq_Social_Commons_Comments_Endpoints_Impl_Comment_Operation_Se
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Field_Whitelist : in Swagger.UString_Vectors.Vector;
Attachment_Type_Blacklist : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSocialCommonsCommentsEndpointsImplCommentOperationSeInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("fieldWhitelist", Field_Whitelist);
URI.Add_Param ("attachmentTypeBlacklist", Attachment_Type_Blacklist);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.commons.comments.endpoints.impl.CommentOperationService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Commons_Comments_Endpoints_Impl_Comment_Operation_Se;
--
procedure Com_Adobe_Cq_Social_Commons_Comments_Endpoints_Impl_Translation_Operati
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Field_Whitelist : in Swagger.UString_Vectors.Vector;
Attachment_Type_Blacklist : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSocialCommonsCommentsEndpointsImplTranslationOperatiInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("fieldWhitelist", Field_Whitelist);
URI.Add_Param ("attachmentTypeBlacklist", Attachment_Type_Blacklist);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.commons.comments.endpoints.impl.TranslationOperationService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Commons_Comments_Endpoints_Impl_Translation_Operati;
--
procedure Com_Adobe_Cq_Social_Commons_Comments_Listing_Impl_Search_Comment_Social_C
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Num_User_Limit : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialCommonsCommentsListingImplSearchCommentSocialCInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("numUserLimit", Num_User_Limit);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.commons.comments.listing.impl.SearchCommentSocialComponentListProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Commons_Comments_Listing_Impl_Search_Comment_Social_C;
--
procedure Com_Adobe_Cq_Social_Commons_Comments_Scheduler_Impl_Search_Scheduled_Pos
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Enable_Scheduled_Posts_Search : in Swagger.Nullable_Boolean;
Number_Of_Minutes : in Swagger.Nullable_Integer;
Max_Search_Limit : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialCommonsCommentsSchedulerImplSearchScheduledPosInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("enableScheduledPostsSearch", Enable_Scheduled_Posts_Search);
URI.Add_Param ("numberOfMinutes", Number_Of_Minutes);
URI.Add_Param ("maxSearchLimit", Max_Search_Limit);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.commons.comments.scheduler.impl.SearchScheduledPosts");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Commons_Comments_Scheduler_Impl_Search_Scheduled_Pos;
--
procedure Com_Adobe_Cq_Social_Commons_Cors_C_O_R_S_Authentication_Filter
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cors_Periodenabling : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeCqSocialCommonsCorsCORSAuthenticationFilterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cors.enabling", Cors_Periodenabling);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.commons.cors.CORSAuthenticationFilter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Commons_Cors_C_O_R_S_Authentication_Filter;
--
procedure Com_Adobe_Cq_Social_Commons_Emailreply_Impl_Android_Email_Client_Provider
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Priority_Order : in Swagger.Nullable_Integer;
Reply_Email_Patterns : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSocialCommonsEmailreplyImplAndroidEmailClientProviderInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("priorityOrder", Priority_Order);
URI.Add_Param ("replyEmailPatterns", Reply_Email_Patterns);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.commons.emailreply.impl.AndroidEmailClientProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Commons_Emailreply_Impl_Android_Email_Client_Provider;
--
procedure Com_Adobe_Cq_Social_Commons_Emailreply_Impl_Comment_Email_Builder_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Context_Periodpath : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqSocialCommonsEmailreplyImplCommentEmailBuilderImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("context.path", Context_Periodpath);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.commons.emailreply.impl.CommentEmailBuilderImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Commons_Emailreply_Impl_Comment_Email_Builder_Impl;
--
procedure Com_Adobe_Cq_Social_Commons_Emailreply_Impl_Comment_Email_Event_Listener
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Event_Periodtopics : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqSocialCommonsEmailreplyImplCommentEmailEventListenerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("event.topics", Event_Periodtopics);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.commons.emailreply.impl.CommentEmailEventListener");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Commons_Emailreply_Impl_Comment_Email_Event_Listener;
--
procedure Com_Adobe_Cq_Social_Commons_Emailreply_Impl_Custom_Email_Client_Provider
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Priority_Order : in Swagger.Nullable_Integer;
Reply_Email_Patterns : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSocialCommonsEmailreplyImplCustomEmailClientProviderInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("priorityOrder", Priority_Order);
URI.Add_Param ("replyEmailPatterns", Reply_Email_Patterns);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.commons.emailreply.impl.CustomEmailClientProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Commons_Emailreply_Impl_Custom_Email_Client_Provider;
--
procedure Com_Adobe_Cq_Social_Commons_Emailreply_Impl_Email_Quoted_Text_Patterns_Imp
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Pattern_Periodtime : in Swagger.Nullable_UString;
Pattern_Periodnewline : in Swagger.Nullable_UString;
Pattern_Periodday_Of_Month : in Swagger.Nullable_UString;
Pattern_Periodmonth : in Swagger.Nullable_UString;
Pattern_Periodyear : in Swagger.Nullable_UString;
Pattern_Perioddate : in Swagger.Nullable_UString;
Pattern_Perioddate_Time : in Swagger.Nullable_UString;
Pattern_Periodemail : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqSocialCommonsEmailreplyImplEmailQuotedTextPatternsImpInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("pattern.time", Pattern_Periodtime);
URI.Add_Param ("pattern.newline", Pattern_Periodnewline);
URI.Add_Param ("pattern.dayOfMonth", Pattern_Periodday_Of_Month);
URI.Add_Param ("pattern.month", Pattern_Periodmonth);
URI.Add_Param ("pattern.year", Pattern_Periodyear);
URI.Add_Param ("pattern.date", Pattern_Perioddate);
URI.Add_Param ("pattern.dateTime", Pattern_Perioddate_Time);
URI.Add_Param ("pattern.email", Pattern_Periodemail);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.commons.emailreply.impl.EmailQuotedTextPatternsImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Commons_Emailreply_Impl_Email_Quoted_Text_Patterns_Imp;
--
procedure Com_Adobe_Cq_Social_Commons_Emailreply_Impl_Email_Reply_Configuration_Imp
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Email_Periodname : in Swagger.Nullable_UString;
Email_Periodcreate_Post_From_Reply : in Swagger.Nullable_Boolean;
Email_Periodadd_Comment_Id_To : in Swagger.Nullable_UString;
Email_Periodsubject_Maximum_Length : in Swagger.Nullable_Integer;
Email_Periodreply_To_Address : in Swagger.Nullable_UString;
Email_Periodreply_To_Delimiter : in Swagger.Nullable_UString;
Email_Periodtracker_Id_Prefix_In_Subject : in Swagger.Nullable_UString;
Email_Periodtracker_Id_Prefix_In_Body : in Swagger.Nullable_UString;
Email_Periodas_H_T_M_L : in Swagger.Nullable_Boolean;
Email_Perioddefault_User_Name : in Swagger.Nullable_UString;
Email_Periodtemplates_Periodroot_Path : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqSocialCommonsEmailreplyImplEmailReplyConfigurationImpInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("email.name", Email_Periodname);
URI.Add_Param ("email.createPostFromReply", Email_Periodcreate_Post_From_Reply);
URI.Add_Param ("email.addCommentIdTo", Email_Periodadd_Comment_Id_To);
URI.Add_Param ("email.subjectMaximumLength", Email_Periodsubject_Maximum_Length);
URI.Add_Param ("email.replyToAddress", Email_Periodreply_To_Address);
URI.Add_Param ("email.replyToDelimiter", Email_Periodreply_To_Delimiter);
URI.Add_Param ("email.trackerIdPrefixInSubject", Email_Periodtracker_Id_Prefix_In_Subject);
URI.Add_Param ("email.trackerIdPrefixInBody", Email_Periodtracker_Id_Prefix_In_Body);
URI.Add_Param ("email.asHTML", Email_Periodas_H_T_M_L);
URI.Add_Param ("email.defaultUserName", Email_Perioddefault_User_Name);
URI.Add_Param ("email.templates.rootPath", Email_Periodtemplates_Periodroot_Path);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.commons.emailreply.impl.EmailReplyConfigurationImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Commons_Emailreply_Impl_Email_Reply_Configuration_Imp;
--
procedure Com_Adobe_Cq_Social_Commons_Emailreply_Impl_Email_Reply_Importer
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Connect_Protocol : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqSocialCommonsEmailreplyImplEmailReplyImporterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("connectProtocol", Connect_Protocol);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.commons.emailreply.impl.EmailReplyImporter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Commons_Emailreply_Impl_Email_Reply_Importer;
--
procedure Com_Adobe_Cq_Social_Commons_Emailreply_Impl_Gmail_Email_Client_Provider
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Priority_Order : in Swagger.Nullable_Integer;
Reply_Email_Patterns : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSocialCommonsEmailreplyImplGmailEmailClientProviderInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("priorityOrder", Priority_Order);
URI.Add_Param ("replyEmailPatterns", Reply_Email_Patterns);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.commons.emailreply.impl.GmailEmailClientProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Commons_Emailreply_Impl_Gmail_Email_Client_Provider;
--
procedure Com_Adobe_Cq_Social_Commons_Emailreply_Impl_I_O_S_Email_Client_Provider
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Priority_Order : in Swagger.Nullable_Integer;
Reply_Email_Patterns : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSocialCommonsEmailreplyImplIOSEmailClientProviderInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("priorityOrder", Priority_Order);
URI.Add_Param ("replyEmailPatterns", Reply_Email_Patterns);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.commons.emailreply.impl.IOSEmailClientProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Commons_Emailreply_Impl_I_O_S_Email_Client_Provider;
--
procedure Com_Adobe_Cq_Social_Commons_Emailreply_Impl_Macmail_Email_Client_Provider
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Priority_Order : in Swagger.Nullable_Integer;
Reply_Email_Patterns : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSocialCommonsEmailreplyImplMacmailEmailClientProviderInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("priorityOrder", Priority_Order);
URI.Add_Param ("replyEmailPatterns", Reply_Email_Patterns);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.commons.emailreply.impl.MacmailEmailClientProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Commons_Emailreply_Impl_Macmail_Email_Client_Provider;
--
procedure Com_Adobe_Cq_Social_Commons_Emailreply_Impl_Out_Look_Email_Client_Provider
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Priority_Order : in Swagger.Nullable_Integer;
Reply_Email_Patterns : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSocialCommonsEmailreplyImplOutLookEmailClientProviderInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("priorityOrder", Priority_Order);
URI.Add_Param ("replyEmailPatterns", Reply_Email_Patterns);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.commons.emailreply.impl.OutLookEmailClientProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Commons_Emailreply_Impl_Out_Look_Email_Client_Provider;
--
procedure Com_Adobe_Cq_Social_Commons_Emailreply_Impl_Unknown_Email_Client_Provider
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Reply_Email_Patterns : in Swagger.UString_Vectors.Vector;
Priority_Order : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialCommonsEmailreplyImplUnknownEmailClientProviderInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("replyEmailPatterns", Reply_Email_Patterns);
URI.Add_Param ("priorityOrder", Priority_Order);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.commons.emailreply.impl.UnknownEmailClientProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Commons_Emailreply_Impl_Unknown_Email_Client_Provider;
--
procedure Com_Adobe_Cq_Social_Commons_Emailreply_Impl_Yahoo_Email_Client_Provider
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Priority_Order : in Swagger.Nullable_Integer;
Reply_Email_Patterns : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSocialCommonsEmailreplyImplYahooEmailClientProviderInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("priorityOrder", Priority_Order);
URI.Add_Param ("replyEmailPatterns", Reply_Email_Patterns);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.commons.emailreply.impl.YahooEmailClientProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Commons_Emailreply_Impl_Yahoo_Email_Client_Provider;
--
procedure Com_Adobe_Cq_Social_Commons_Maintainance_Impl_Delete_Temp_U_G_C_Image_Upload
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Number_Of_Days : in Swagger.Nullable_Integer;
Age_Of_File : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialCommonsMaintainanceImplDeleteTempUGCImageUploadInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("numberOfDays", Number_Of_Days);
URI.Add_Param ("ageOfFile", Age_Of_File);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.commons.maintainance.impl.DeleteTempUGCImageUploads");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Commons_Maintainance_Impl_Delete_Temp_U_G_C_Image_Upload;
--
procedure Com_Adobe_Cq_Social_Commons_Ugclimiter_Impl_U_G_C_Limiter_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Event_Periodtopics : in Swagger.Nullable_UString;
Event_Periodfilter : in Swagger.Nullable_UString;
Verbs : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSocialCommonsUgclimiterImplUGCLimiterServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("event.topics", Event_Periodtopics);
URI.Add_Param ("event.filter", Event_Periodfilter);
URI.Add_Param ("verbs", Verbs);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.commons.ugclimiter.impl.UGCLimiterServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Commons_Ugclimiter_Impl_U_G_C_Limiter_Service_Impl;
--
procedure Com_Adobe_Cq_Social_Commons_Ugclimitsconfig_Impl_Community_User_U_G_C_Limit
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Enable : in Swagger.Nullable_Boolean;
U_G_C_Limit : in Swagger.Nullable_Integer;
Ugc_Limit_Duration : in Swagger.Nullable_Integer;
Domains : in Swagger.UString_Vectors.Vector;
To_List : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSocialCommonsUgclimitsconfigImplCommunityUserUGCLimitInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("enable", Enable);
URI.Add_Param ("UGCLimit", U_G_C_Limit);
URI.Add_Param ("ugcLimitDuration", Ugc_Limit_Duration);
URI.Add_Param ("domains", Domains);
URI.Add_Param ("toList", To_List);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.commons.ugclimitsconfig.impl.CommunityUserUGCLimitsConfigImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Commons_Ugclimitsconfig_Impl_Community_User_U_G_C_Limit;
--
procedure Com_Adobe_Cq_Social_Connect_Oauth_Impl_Facebook_Provider_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Oauth_Periodprovider_Periodid : in Swagger.Nullable_UString;
Oauth_Periodcloud_Periodconfig_Periodroot : in Swagger.Nullable_UString;
Provider_Periodconfig_Periodroot : in Swagger.Nullable_UString;
Provider_Periodconfig_Periodcreate_Periodtags_Periodenabled : in Swagger.Nullable_Boolean;
Provider_Periodconfig_Perioduser_Periodfolder : in Swagger.Nullable_UString;
Provider_Periodconfig_Periodfacebook_Periodfetch_Periodfields : in Swagger.Nullable_Boolean;
Provider_Periodconfig_Periodfacebook_Periodfields : in Swagger.UString_Vectors.Vector;
Provider_Periodconfig_Periodrefresh_Perioduserdata_Periodenabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeCqSocialConnectOauthImplFacebookProviderImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("oauth.provider.id", Oauth_Periodprovider_Periodid);
URI.Add_Param ("oauth.cloud.config.root", Oauth_Periodcloud_Periodconfig_Periodroot);
URI.Add_Param ("provider.config.root", Provider_Periodconfig_Periodroot);
URI.Add_Param ("provider.config.create.tags.enabled", Provider_Periodconfig_Periodcreate_Periodtags_Periodenabled);
URI.Add_Param ("provider.config.user.folder", Provider_Periodconfig_Perioduser_Periodfolder);
URI.Add_Param ("provider.config.facebook.fetch.fields", Provider_Periodconfig_Periodfacebook_Periodfetch_Periodfields);
URI.Add_Param ("provider.config.facebook.fields", Provider_Periodconfig_Periodfacebook_Periodfields);
URI.Add_Param ("provider.config.refresh.userdata.enabled", Provider_Periodconfig_Periodrefresh_Perioduserdata_Periodenabled);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.connect.oauth.impl.FacebookProviderImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Connect_Oauth_Impl_Facebook_Provider_Impl;
--
procedure Com_Adobe_Cq_Social_Connect_Oauth_Impl_Social_O_Auth_Authentication_Handle
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Path : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialConnectOauthImplSocialOAuthAuthenticationHandleInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("path", Path);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.connect.oauth.impl.SocialOAuthAuthenticationHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Connect_Oauth_Impl_Social_O_Auth_Authentication_Handle;
--
procedure Com_Adobe_Cq_Social_Connect_Oauth_Impl_Social_O_Auth_User_Profile_Mapper
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Facebook : in Swagger.UString_Vectors.Vector;
Twitter : in Swagger.UString_Vectors.Vector;
Provider_Periodconfig_Perioduser_Periodfolder : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqSocialConnectOauthImplSocialOAuthUserProfileMapperInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("facebook", Facebook);
URI.Add_Param ("twitter", Twitter);
URI.Add_Param ("provider.config.user.folder", Provider_Periodconfig_Perioduser_Periodfolder);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.connect.oauth.impl.SocialOAuthUserProfileMapper");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Connect_Oauth_Impl_Social_O_Auth_User_Profile_Mapper;
--
procedure Com_Adobe_Cq_Social_Connect_Oauth_Impl_Twitter_Provider_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Oauth_Periodprovider_Periodid : in Swagger.Nullable_UString;
Oauth_Periodcloud_Periodconfig_Periodroot : in Swagger.Nullable_UString;
Provider_Periodconfig_Periodroot : in Swagger.Nullable_UString;
Provider_Periodconfig_Perioduser_Periodfolder : in Swagger.Nullable_UString;
Provider_Periodconfig_Periodtwitter_Periodenable_Periodparams : in Swagger.Nullable_Boolean;
Provider_Periodconfig_Periodtwitter_Periodparams : in Swagger.UString_Vectors.Vector;
Provider_Periodconfig_Periodrefresh_Perioduserdata_Periodenabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeCqSocialConnectOauthImplTwitterProviderImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("oauth.provider.id", Oauth_Periodprovider_Periodid);
URI.Add_Param ("oauth.cloud.config.root", Oauth_Periodcloud_Periodconfig_Periodroot);
URI.Add_Param ("provider.config.root", Provider_Periodconfig_Periodroot);
URI.Add_Param ("provider.config.user.folder", Provider_Periodconfig_Perioduser_Periodfolder);
URI.Add_Param ("provider.config.twitter.enable.params", Provider_Periodconfig_Periodtwitter_Periodenable_Periodparams);
URI.Add_Param ("provider.config.twitter.params", Provider_Periodconfig_Periodtwitter_Periodparams);
URI.Add_Param ("provider.config.refresh.userdata.enabled", Provider_Periodconfig_Periodrefresh_Perioduserdata_Periodenabled);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.connect.oauth.impl.TwitterProviderImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Connect_Oauth_Impl_Twitter_Provider_Impl;
--
procedure Com_Adobe_Cq_Social_Content_Fragments_Services_Impl_Communities_Fragmen
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodsocial_Periodcontent_Periodfragments_Periodservices_Periodenabled : in Swagger.Nullable_Boolean;
Cq_Periodsocial_Periodcontent_Periodfragments_Periodservices_Periodwait_Time_Seconds : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialContentFragmentsServicesImplCommunitiesFragmenInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.social.content.fragments.services.enabled", Cq_Periodsocial_Periodcontent_Periodfragments_Periodservices_Periodenabled);
URI.Add_Param ("cq.social.content.fragments.services.waitTimeSeconds", Cq_Periodsocial_Periodcontent_Periodfragments_Periodservices_Periodwait_Time_Seconds);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.content.fragments.services.impl.CommunitiesFragmentCreationServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Content_Fragments_Services_Impl_Communities_Fragmen;
--
procedure Com_Adobe_Cq_Social_Datastore_As_Impl_A_S_Resource_Provider_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Version_Periodid : in Swagger.Nullable_UString;
Cache_Periodon : in Swagger.Nullable_Boolean;
Concurrency_Periodlevel : in Swagger.Nullable_Integer;
Cache_Periodstart_Periodsize : in Swagger.Nullable_Integer;
Cache_Periodttl : in Swagger.Nullable_Integer;
Cache_Periodsize : in Swagger.Nullable_Integer;
Time_Periodlimit : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialDatastoreAsImplASResourceProviderFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("version.id", Version_Periodid);
URI.Add_Param ("cache.on", Cache_Periodon);
URI.Add_Param ("concurrency.level", Concurrency_Periodlevel);
URI.Add_Param ("cache.start.size", Cache_Periodstart_Periodsize);
URI.Add_Param ("cache.ttl", Cache_Periodttl);
URI.Add_Param ("cache.size", Cache_Periodsize);
URI.Add_Param ("time.limit", Time_Periodlimit);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.datastore.as.impl.ASResourceProviderFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Datastore_As_Impl_A_S_Resource_Provider_Factory;
--
procedure Com_Adobe_Cq_Social_Datastore_Op_Impl_Social_M_S_Resource_Provider_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Solr_Periodzk_Periodtimeout : in Swagger.Nullable_UString;
Solr_Periodcommit : in Swagger.Nullable_UString;
Cache_Periodon : in Swagger.Nullable_Boolean;
Concurrency_Periodlevel : in Swagger.Nullable_Integer;
Cache_Periodstart_Periodsize : in Swagger.Nullable_Integer;
Cache_Periodttl : in Swagger.Nullable_Integer;
Cache_Periodsize : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialDatastoreOpImplSocialMSResourceProviderFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("solr.zk.timeout", Solr_Periodzk_Periodtimeout);
URI.Add_Param ("solr.commit", Solr_Periodcommit);
URI.Add_Param ("cache.on", Cache_Periodon);
URI.Add_Param ("concurrency.level", Concurrency_Periodlevel);
URI.Add_Param ("cache.start.size", Cache_Periodstart_Periodsize);
URI.Add_Param ("cache.ttl", Cache_Periodttl);
URI.Add_Param ("cache.size", Cache_Periodsize);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.datastore.op.impl.SocialMSResourceProviderFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Datastore_Op_Impl_Social_M_S_Resource_Provider_Factory;
--
procedure Com_Adobe_Cq_Social_Datastore_Rdb_Impl_Social_R_D_B_Resource_Provider_Factor
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Solr_Periodzk_Periodtimeout : in Swagger.Nullable_UString;
Solr_Periodcommit : in Swagger.Nullable_UString;
Cache_Periodon : in Swagger.Nullable_Boolean;
Concurrency_Periodlevel : in Swagger.Nullable_Integer;
Cache_Periodstart_Periodsize : in Swagger.Nullable_Integer;
Cache_Periodttl : in Swagger.Nullable_Integer;
Cache_Periodsize : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialDatastoreRdbImplSocialRDBResourceProviderFactorInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("solr.zk.timeout", Solr_Periodzk_Periodtimeout);
URI.Add_Param ("solr.commit", Solr_Periodcommit);
URI.Add_Param ("cache.on", Cache_Periodon);
URI.Add_Param ("concurrency.level", Concurrency_Periodlevel);
URI.Add_Param ("cache.start.size", Cache_Periodstart_Periodsize);
URI.Add_Param ("cache.ttl", Cache_Periodttl);
URI.Add_Param ("cache.size", Cache_Periodsize);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.datastore.rdb.impl.SocialRDBResourceProviderFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Datastore_Rdb_Impl_Social_R_D_B_Resource_Provider_Factor;
--
procedure Com_Adobe_Cq_Social_Enablement_Adaptors_Enablement_Learning_Path_Adaptor_F
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Is_Member_Check : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeCqSocialEnablementAdaptorsEnablementLearningPathAdaptorFInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("isMemberCheck", Is_Member_Check);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.enablement.adaptors.EnablementLearningPathAdaptorFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Enablement_Adaptors_Enablement_Learning_Path_Adaptor_F;
--
procedure Com_Adobe_Cq_Social_Enablement_Adaptors_Enablement_Resource_Adaptor_Facto
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Is_Member_Check : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeCqSocialEnablementAdaptorsEnablementResourceAdaptorFactoInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("isMemberCheck", Is_Member_Check);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.enablement.adaptors.EnablementResourceAdaptorFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Enablement_Adaptors_Enablement_Resource_Adaptor_Facto;
--
procedure Com_Adobe_Cq_Social_Enablement_Learningpath_Endpoints_Impl_Enablement_L
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Field_Whitelist : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSocialEnablementLearningpathEndpointsImplEnablementLInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("fieldWhitelist", Field_Whitelist);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.enablement.learningpath.endpoints.impl.EnablementLearningPathModelOperationService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Enablement_Learningpath_Endpoints_Impl_Enablement_L;
--
procedure Com_Adobe_Cq_Social_Enablement_Resource_Endpoints_Impl_Enablement_Resou
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Field_Whitelist : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSocialEnablementResourceEndpointsImplEnablementResouInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("fieldWhitelist", Field_Whitelist);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.enablement.resource.endpoints.impl.EnablementResourceModelOperationService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Enablement_Resource_Endpoints_Impl_Enablement_Resou;
--
procedure Com_Adobe_Cq_Social_Enablement_Services_Impl_Author_Marker_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialEnablementServicesImplAuthorMarkerImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.enablement.services.impl.AuthorMarkerImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Enablement_Services_Impl_Author_Marker_Impl;
--
procedure Com_Adobe_Cq_Social_Filelibrary_Client_Endpoints_Filelibrary_Download_Ge
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Sling_Periodservlet_Periodselectors : in Swagger.Nullable_UString;
Sling_Periodservlet_Periodextensions : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqSocialFilelibraryClientEndpointsFilelibraryDownloadGeInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("sling.servlet.selectors", Sling_Periodservlet_Periodselectors);
URI.Add_Param ("sling.servlet.extensions", Sling_Periodservlet_Periodextensions);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.filelibrary.client.endpoints.FilelibraryDownloadGetServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Filelibrary_Client_Endpoints_Filelibrary_Download_Ge;
--
procedure Com_Adobe_Cq_Social_Filelibrary_Client_Endpoints_Impl_File_Library_Opera
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Field_Whitelist : in Swagger.UString_Vectors.Vector;
Attachment_Type_Blacklist : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSocialFilelibraryClientEndpointsImplFileLibraryOperaInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("fieldWhitelist", Field_Whitelist);
URI.Add_Param ("attachmentTypeBlacklist", Attachment_Type_Blacklist);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.filelibrary.client.endpoints.impl.FileLibraryOperationsService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Filelibrary_Client_Endpoints_Impl_File_Library_Opera;
--
procedure Com_Adobe_Cq_Social_Forum_Client_Endpoints_Impl_Forum_Operations_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Field_Whitelist : in Swagger.UString_Vectors.Vector;
Attachment_Type_Blacklist : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSocialForumClientEndpointsImplForumOperationsServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("fieldWhitelist", Field_Whitelist);
URI.Add_Param ("attachmentTypeBlacklist", Attachment_Type_Blacklist);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.forum.client.endpoints.impl.ForumOperationsService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Forum_Client_Endpoints_Impl_Forum_Operations_Service;
--
procedure Com_Adobe_Cq_Social_Forum_Dispatcher_Impl_Flush_Operations
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Extension_Periodorder : in Swagger.Nullable_Integer;
Flush_Periodforumontopic : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeCqSocialForumDispatcherImplFlushOperationsInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("extension.order", Extension_Periodorder);
URI.Add_Param ("flush.forumontopic", Flush_Periodforumontopic);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.forum.dispatcher.impl.FlushOperations");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Forum_Dispatcher_Impl_Flush_Operations;
--
procedure Com_Adobe_Cq_Social_Group_Client_Impl_Community_Group_Collection_Componen
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Group_Periodlisting_Periodpagination_Periodenable : in Swagger.Nullable_Boolean;
Group_Periodlisting_Periodlazyloading_Periodenable : in Swagger.Nullable_Boolean;
Page_Periodsize : in Swagger.Nullable_Integer;
Priority : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialGroupClientImplCommunityGroupCollectionComponenInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("group.listing.pagination.enable", Group_Periodlisting_Periodpagination_Periodenable);
URI.Add_Param ("group.listing.lazyloading.enable", Group_Periodlisting_Periodlazyloading_Periodenable);
URI.Add_Param ("page.size", Page_Periodsize);
URI.Add_Param ("priority", Priority);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.group.client.impl.CommunityGroupCollectionComponentFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Group_Client_Impl_Community_Group_Collection_Componen;
--
procedure Com_Adobe_Cq_Social_Group_Impl_Group_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Max_Wait_Time : in Swagger.Nullable_Integer;
Min_Wait_Between_Retries : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialGroupImplGroupServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("maxWaitTime", Max_Wait_Time);
URI.Add_Param ("minWaitBetweenRetries", Min_Wait_Between_Retries);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.group.impl.GroupServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Group_Impl_Group_Service_Impl;
--
procedure Com_Adobe_Cq_Social_Handlebars_Guava_Template_Cache_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Parameter_Periodguava_Periodcache_Periodenabled : in Swagger.Nullable_Boolean;
Parameter_Periodguava_Periodcache_Periodparams : in Swagger.Nullable_UString;
Parameter_Periodguava_Periodcache_Periodreload : in Swagger.Nullable_Boolean;
Service_Periodranking : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialHandlebarsGuavaTemplateCacheImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("parameter.guava.cache.enabled", Parameter_Periodguava_Periodcache_Periodenabled);
URI.Add_Param ("parameter.guava.cache.params", Parameter_Periodguava_Periodcache_Periodparams);
URI.Add_Param ("parameter.guava.cache.reload", Parameter_Periodguava_Periodcache_Periodreload);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.handlebars.GuavaTemplateCacheImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Handlebars_Guava_Template_Cache_Impl;
--
procedure Com_Adobe_Cq_Social_Ideation_Client_Endpoints_Impl_Ideation_Operations_S
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Field_Whitelist : in Swagger.UString_Vectors.Vector;
Attachment_Type_Blacklist : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSocialIdeationClientEndpointsImplIdeationOperationsSInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("fieldWhitelist", Field_Whitelist);
URI.Add_Param ("attachmentTypeBlacklist", Attachment_Type_Blacklist);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.ideation.client.endpoints.impl.IdeationOperationsService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Ideation_Client_Endpoints_Impl_Ideation_Operations_S;
--
procedure Com_Adobe_Cq_Social_Journal_Client_Endpoints_Impl_Journal_Operations_Ser
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Field_Whitelist : in Swagger.UString_Vectors.Vector;
Attachment_Type_Blacklist : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSocialJournalClientEndpointsImplJournalOperationsSerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("fieldWhitelist", Field_Whitelist);
URI.Add_Param ("attachmentTypeBlacklist", Attachment_Type_Blacklist);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.journal.client.endpoints.impl.JournalOperationsService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Journal_Client_Endpoints_Impl_Journal_Operations_Ser;
--
procedure Com_Adobe_Cq_Social_Members_Endpoints_Impl_Community_Member_Group_Profile
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Field_Whitelist : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSocialMembersEndpointsImplCommunityMemberGroupProfileInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("fieldWhitelist", Field_Whitelist);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.members.endpoints.impl.CommunityMemberGroupProfileOperationService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Members_Endpoints_Impl_Community_Member_Group_Profile;
--
procedure Com_Adobe_Cq_Social_Members_Endpoints_Impl_Community_Member_User_Profile_O
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Field_Whitelist : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSocialMembersEndpointsImplCommunityMemberUserProfileOInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("fieldWhitelist", Field_Whitelist);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.members.endpoints.impl.CommunityMemberUserProfileOperationService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Members_Endpoints_Impl_Community_Member_User_Profile_O;
--
procedure Com_Adobe_Cq_Social_Members_Impl_Community_Member_Group_Profile_Component_F
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Everyone_Limit : in Swagger.Nullable_Integer;
Priority : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialMembersImplCommunityMemberGroupProfileComponentFInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("everyoneLimit", Everyone_Limit);
URI.Add_Param ("priority", Priority);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.members.impl.CommunityMemberGroupProfileComponentFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Members_Impl_Community_Member_Group_Profile_Component_F;
--
procedure Com_Adobe_Cq_Social_Messaging_Client_Endpoints_Impl_Messaging_Operation
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Message_Periodproperties : in Swagger.UString_Vectors.Vector;
Message_Box_Size_Limit : in Swagger.Nullable_Integer;
Message_Count_Limit : in Swagger.Nullable_Integer;
Notify_Failure : in Swagger.Nullable_Boolean;
Failure_Message_From : in Swagger.Nullable_UString;
Failure_Template_Path : in Swagger.Nullable_UString;
Max_Retries : in Swagger.Nullable_Integer;
Min_Wait_Between_Retries : in Swagger.Nullable_Integer;
Count_Update_Pool_Size : in Swagger.Nullable_Integer;
Inbox_Periodpath : in Swagger.Nullable_UString;
Sentitems_Periodpath : in Swagger.Nullable_UString;
Support_Attachments : in Swagger.Nullable_Boolean;
Support_Group_Messaging : in Swagger.Nullable_Boolean;
Max_Total_Recipients : in Swagger.Nullable_Integer;
Batch_Size : in Swagger.Nullable_Integer;
Max_Total_Attachment_Size : in Swagger.Nullable_Integer;
Attachment_Type_Blacklist : in Swagger.UString_Vectors.Vector;
Allowed_Attachment_Types : in Swagger.UString_Vectors.Vector;
Service_Selector : in Swagger.Nullable_UString;
Field_Whitelist : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSocialMessagingClientEndpointsImplMessagingOperationInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("message.properties", Message_Periodproperties);
URI.Add_Param ("messageBoxSizeLimit", Message_Box_Size_Limit);
URI.Add_Param ("messageCountLimit", Message_Count_Limit);
URI.Add_Param ("notifyFailure", Notify_Failure);
URI.Add_Param ("failureMessageFrom", Failure_Message_From);
URI.Add_Param ("failureTemplatePath", Failure_Template_Path);
URI.Add_Param ("maxRetries", Max_Retries);
URI.Add_Param ("minWaitBetweenRetries", Min_Wait_Between_Retries);
URI.Add_Param ("countUpdatePoolSize", Count_Update_Pool_Size);
URI.Add_Param ("inbox.path", Inbox_Periodpath);
URI.Add_Param ("sentitems.path", Sentitems_Periodpath);
URI.Add_Param ("supportAttachments", Support_Attachments);
URI.Add_Param ("supportGroupMessaging", Support_Group_Messaging);
URI.Add_Param ("maxTotalRecipients", Max_Total_Recipients);
URI.Add_Param ("batchSize", Batch_Size);
URI.Add_Param ("maxTotalAttachmentSize", Max_Total_Attachment_Size);
URI.Add_Param ("attachmentTypeBlacklist", Attachment_Type_Blacklist);
URI.Add_Param ("allowedAttachmentTypes", Allowed_Attachment_Types);
URI.Add_Param ("serviceSelector", Service_Selector);
URI.Add_Param ("fieldWhitelist", Field_Whitelist);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.messaging.client.endpoints.impl.MessagingOperationsServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Messaging_Client_Endpoints_Impl_Messaging_Operation;
--
procedure Com_Adobe_Cq_Social_Moderation_Dashboard_Api_Filter_Group_Social_Componen
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Resource_Type_Periodfilters : in Swagger.UString_Vectors.Vector;
Priority : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialModerationDashboardApiFilterGroupSocialComponenInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("resourceType.filters", Resource_Type_Periodfilters);
URI.Add_Param ("priority", Priority);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.moderation.dashboard.api.FilterGroupSocialComponentFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Moderation_Dashboard_Api_Filter_Group_Social_Componen;
--
procedure Com_Adobe_Cq_Social_Moderation_Dashboard_Api_Moderation_Dashboard_Social
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Priority : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialModerationDashboardApiModerationDashboardSocialInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("priority", Priority);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.moderation.dashboard.api.ModerationDashboardSocialComponentFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Moderation_Dashboard_Api_Moderation_Dashboard_Social;
--
procedure Com_Adobe_Cq_Social_Moderation_Dashboard_Api_User_Details_Social_Componen
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Priority : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialModerationDashboardApiUserDetailsSocialComponenInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("priority", Priority);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.moderation.dashboard.api.UserDetailsSocialComponentFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Moderation_Dashboard_Api_User_Details_Social_Componen;
--
procedure Com_Adobe_Cq_Social_Moderation_Dashboard_Internal_Impl_Filter_Group_Soci
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Resource_Type_Periodfilters : in Swagger.UString_Vectors.Vector;
Priority : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialModerationDashboardInternalImplFilterGroupSociInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("resourceType.filters", Resource_Type_Periodfilters);
URI.Add_Param ("priority", Priority);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.moderation.dashboard.internal.impl.FilterGroupSocialComponentFactoryV2");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Moderation_Dashboard_Internal_Impl_Filter_Group_Soci;
--
procedure Com_Adobe_Cq_Social_Notifications_Impl_Mentions_Router
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Event_Periodtopics : in Swagger.Nullable_UString;
Event_Periodfilter : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqSocialNotificationsImplMentionsRouterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("event.topics", Event_Periodtopics);
URI.Add_Param ("event.filter", Event_Periodfilter);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.notifications.impl.MentionsRouter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Notifications_Impl_Mentions_Router;
--
procedure Com_Adobe_Cq_Social_Notifications_Impl_Notification_Manager_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Max_Periodunread_Periodnotification_Periodcount : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialNotificationsImplNotificationManagerImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("max.unread.notification.count", Max_Periodunread_Periodnotification_Periodcount);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.notifications.impl.NotificationManagerImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Notifications_Impl_Notification_Manager_Impl;
--
procedure Com_Adobe_Cq_Social_Notifications_Impl_Notifications_Router
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Event_Periodtopics : in Swagger.Nullable_UString;
Event_Periodfilter : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqSocialNotificationsImplNotificationsRouterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("event.topics", Event_Periodtopics);
URI.Add_Param ("event.filter", Event_Periodfilter);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.notifications.impl.NotificationsRouter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Notifications_Impl_Notifications_Router;
--
procedure Com_Adobe_Cq_Social_Qna_Client_Endpoints_Impl_Qna_Forum_Operations_Servic
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Field_Whitelist : in Swagger.UString_Vectors.Vector;
Attachment_Type_Blacklist : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSocialQnaClientEndpointsImplQnaForumOperationsServicInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("fieldWhitelist", Field_Whitelist);
URI.Add_Param ("attachmentTypeBlacklist", Attachment_Type_Blacklist);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.qna.client.endpoints.impl.QnaForumOperationsService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Qna_Client_Endpoints_Impl_Qna_Forum_Operations_Servic;
--
procedure Com_Adobe_Cq_Social_Reporting_Analytics_Services_Impl_Analytics_Report_I
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodsocial_Periodreporting_Periodanalytics_Periodpolling_Periodimporter_Periodinterval : in Swagger.Nullable_Integer;
Cq_Periodsocial_Periodreporting_Periodanalytics_Periodpolling_Periodimporter_Periodpage_Size : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialReportingAnalyticsServicesImplAnalyticsReportIInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.social.reporting.analytics.polling.importer.interval", Cq_Periodsocial_Periodreporting_Periodanalytics_Periodpolling_Periodimporter_Periodinterval);
URI.Add_Param ("cq.social.reporting.analytics.polling.importer.pageSize", Cq_Periodsocial_Periodreporting_Periodanalytics_Periodpolling_Periodimporter_Periodpage_Size);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.reporting.analytics.services.impl.AnalyticsReportImporterServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Reporting_Analytics_Services_Impl_Analytics_Report_I;
--
procedure Com_Adobe_Cq_Social_Reporting_Analytics_Services_Impl_Analytics_Report_M
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Report_Periodfetch_Perioddelay : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialReportingAnalyticsServicesImplAnalyticsReportMInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("report.fetch.delay", Report_Periodfetch_Perioddelay);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.reporting.analytics.services.impl.AnalyticsReportManagementServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Reporting_Analytics_Services_Impl_Analytics_Report_M;
--
procedure Com_Adobe_Cq_Social_Reporting_Analytics_Services_Impl_Site_Trend_Report_S
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodsocial_Periodconsole_Periodanalytics_Periodsites_Periodmapping : in Swagger.UString_Vectors.Vector;
Priority : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialReportingAnalyticsServicesImplSiteTrendReportSInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.social.console.analytics.sites.mapping", Cq_Periodsocial_Periodconsole_Periodanalytics_Periodsites_Periodmapping);
URI.Add_Param ("priority", Priority);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.reporting.analytics.services.impl.SiteTrendReportSocialComponentFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Reporting_Analytics_Services_Impl_Site_Trend_Report_S;
--
procedure Com_Adobe_Cq_Social_Review_Client_Endpoints_Impl_Review_Operations_Servi
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Field_Whitelist : in Swagger.UString_Vectors.Vector;
Attachment_Type_Blacklist : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSocialReviewClientEndpointsImplReviewOperationsServiInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("fieldWhitelist", Field_Whitelist);
URI.Add_Param ("attachmentTypeBlacklist", Attachment_Type_Blacklist);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.review.client.endpoints.impl.ReviewOperationsService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Review_Client_Endpoints_Impl_Review_Operations_Servi;
--
procedure Com_Adobe_Cq_Social_Scf_Core_Operations_Impl_Social_Operations_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Sling_Periodservlet_Periodselectors : in Swagger.Nullable_UString;
Sling_Periodservlet_Periodextensions : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqSocialScfCoreOperationsImplSocialOperationsServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("sling.servlet.selectors", Sling_Periodservlet_Periodselectors);
URI.Add_Param ("sling.servlet.extensions", Sling_Periodservlet_Periodextensions);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.scf.core.operations.impl.SocialOperationsServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Scf_Core_Operations_Impl_Social_Operations_Servlet;
--
procedure Com_Adobe_Cq_Social_Scf_Endpoints_Impl_Default_Social_Get_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Sling_Periodservlet_Periodselectors : in Swagger.UString_Vectors.Vector;
Sling_Periodservlet_Periodextensions : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqSocialScfEndpointsImplDefaultSocialGetServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("sling.servlet.selectors", Sling_Periodservlet_Periodselectors);
URI.Add_Param ("sling.servlet.extensions", Sling_Periodservlet_Periodextensions);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.scf.endpoints.impl.DefaultSocialGetServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Scf_Endpoints_Impl_Default_Social_Get_Servlet;
--
procedure Com_Adobe_Cq_Social_Scoring_Impl_Scoring_Event_Listener
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Event_Periodtopics : in Swagger.Nullable_UString;
Event_Periodfilter : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqSocialScoringImplScoringEventListenerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("event.topics", Event_Periodtopics);
URI.Add_Param ("event.filter", Event_Periodfilter);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.scoring.impl.ScoringEventListener");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Scoring_Impl_Scoring_Event_Listener;
--
procedure Com_Adobe_Cq_Social_Serviceusers_Internal_Impl_Service_User_Wrapper_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Enable_Fallback : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeCqSocialServiceusersInternalImplServiceUserWrapperImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("enableFallback", Enable_Fallback);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.serviceusers.internal.impl.ServiceUserWrapperImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Serviceusers_Internal_Impl_Service_User_Wrapper_Impl;
--
procedure Com_Adobe_Cq_Social_Site_Endpoints_Impl_Site_Operation_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Field_Whitelist : in Swagger.UString_Vectors.Vector;
Site_Path_Filters : in Swagger.UString_Vectors.Vector;
Site_Package_Group : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqSocialSiteEndpointsImplSiteOperationServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("fieldWhitelist", Field_Whitelist);
URI.Add_Param ("sitePathFilters", Site_Path_Filters);
URI.Add_Param ("sitePackageGroup", Site_Package_Group);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.site.endpoints.impl.SiteOperationService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Site_Endpoints_Impl_Site_Operation_Service;
--
procedure Com_Adobe_Cq_Social_Site_Impl_Analytics_Component_Configuration_Service_Im
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodsocial_Periodconsole_Periodanalytics_Periodcomponents : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSocialSiteImplAnalyticsComponentConfigurationServiceImInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.social.console.analytics.components", Cq_Periodsocial_Periodconsole_Periodanalytics_Periodcomponents);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.site.impl.AnalyticsComponentConfigurationServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Site_Impl_Analytics_Component_Configuration_Service_Im;
--
procedure Com_Adobe_Cq_Social_Site_Impl_Site_Configurator_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Components_Using_Tags : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSocialSiteImplSiteConfiguratorImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("componentsUsingTags", Components_Using_Tags);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.site.impl.SiteConfiguratorImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Site_Impl_Site_Configurator_Impl;
--
procedure Com_Adobe_Cq_Social_Srp_Impl_Social_Solr_Connector
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Srp_Periodtype : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqSocialSrpImplSocialSolrConnectorInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("srp.type", Srp_Periodtype);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.srp.impl.SocialSolrConnector");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Srp_Impl_Social_Solr_Connector;
--
procedure Com_Adobe_Cq_Social_Sync_Impl_Diff_Changes_Observer
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Enabled : in Swagger.Nullable_Boolean;
Agent_Name : in Swagger.Nullable_UString;
Diff_Path : in Swagger.Nullable_UString;
Property_Names : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqSocialSyncImplDiffChangesObserverInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("enabled", Enabled);
URI.Add_Param ("agentName", Agent_Name);
URI.Add_Param ("diffPath", Diff_Path);
URI.Add_Param ("propertyNames", Property_Names);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.sync.impl.DiffChangesObserver");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Sync_Impl_Diff_Changes_Observer;
--
procedure Com_Adobe_Cq_Social_Sync_Impl_Group_Sync_Listener_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Nodetypes : in Swagger.UString_Vectors.Vector;
Ignorableprops : in Swagger.UString_Vectors.Vector;
Ignorablenodes : in Swagger.Nullable_UString;
Enabled : in Swagger.Nullable_Boolean;
Distfolders : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqSocialSyncImplGroupSyncListenerImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("nodetypes", Nodetypes);
URI.Add_Param ("ignorableprops", Ignorableprops);
URI.Add_Param ("ignorablenodes", Ignorablenodes);
URI.Add_Param ("enabled", Enabled);
URI.Add_Param ("distfolders", Distfolders);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.sync.impl.GroupSyncListenerImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Sync_Impl_Group_Sync_Listener_Impl;
--
procedure Com_Adobe_Cq_Social_Sync_Impl_Publisher_Sync_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Active_Run_Modes : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSocialSyncImplPublisherSyncServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("activeRunModes", Active_Run_Modes);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.sync.impl.PublisherSyncServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Sync_Impl_Publisher_Sync_Service_Impl;
--
procedure Com_Adobe_Cq_Social_Sync_Impl_User_Sync_Listener_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Nodetypes : in Swagger.UString_Vectors.Vector;
Ignorableprops : in Swagger.UString_Vectors.Vector;
Ignorablenodes : in Swagger.UString_Vectors.Vector;
Enabled : in Swagger.Nullable_Boolean;
Distfolders : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSocialSyncImplUserSyncListenerImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("nodetypes", Nodetypes);
URI.Add_Param ("ignorableprops", Ignorableprops);
URI.Add_Param ("ignorablenodes", Ignorablenodes);
URI.Add_Param ("enabled", Enabled);
URI.Add_Param ("distfolders", Distfolders);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.sync.impl.UserSyncListenerImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Sync_Impl_User_Sync_Listener_Impl;
--
procedure Com_Adobe_Cq_Social_Translation_Impl_Translation_Service_Config_Manager
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Translate_Periodlanguage : in Swagger.Nullable_UString;
Translate_Perioddisplay : in Swagger.Nullable_UString;
Translate_Periodattribution : in Swagger.Nullable_Boolean;
Translate_Periodcaching : in Swagger.Nullable_UString;
Translate_Periodsmart_Periodrendering : in Swagger.Nullable_UString;
Translate_Periodcaching_Periodduration : in Swagger.Nullable_UString;
Translate_Periodsession_Periodsave_Periodinterval : in Swagger.Nullable_UString;
Translate_Periodsession_Periodsave_Periodbatch_Limit : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqSocialTranslationImplTranslationServiceConfigManagerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("translate.language", Translate_Periodlanguage);
URI.Add_Param ("translate.display", Translate_Perioddisplay);
URI.Add_Param ("translate.attribution", Translate_Periodattribution);
URI.Add_Param ("translate.caching", Translate_Periodcaching);
URI.Add_Param ("translate.smart.rendering", Translate_Periodsmart_Periodrendering);
URI.Add_Param ("translate.caching.duration", Translate_Periodcaching_Periodduration);
URI.Add_Param ("translate.session.save.interval", Translate_Periodsession_Periodsave_Periodinterval);
URI.Add_Param ("translate.session.save.batchLimit", Translate_Periodsession_Periodsave_Periodbatch_Limit);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.translation.impl.TranslationServiceConfigManager");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Translation_Impl_Translation_Service_Config_Manager;
--
procedure Com_Adobe_Cq_Social_Translation_Impl_U_G_C_Language_Detector
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Event_Periodtopics : in Swagger.Nullable_UString;
Event_Periodfilter : in Swagger.Nullable_UString;
Translate_Periodlistener_Periodtype : in Swagger.UString_Vectors.Vector;
Translate_Periodproperty_Periodlist : in Swagger.UString_Vectors.Vector;
Pool_Size : in Swagger.Nullable_Integer;
Max_Pool_Size : in Swagger.Nullable_Integer;
Queue_Size : in Swagger.Nullable_Integer;
Keep_Alive_Time : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialTranslationImplUGCLanguageDetectorInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("event.topics", Event_Periodtopics);
URI.Add_Param ("event.filter", Event_Periodfilter);
URI.Add_Param ("translate.listener.type", Translate_Periodlistener_Periodtype);
URI.Add_Param ("translate.property.list", Translate_Periodproperty_Periodlist);
URI.Add_Param ("poolSize", Pool_Size);
URI.Add_Param ("maxPoolSize", Max_Pool_Size);
URI.Add_Param ("queueSize", Queue_Size);
URI.Add_Param ("keepAliveTime", Keep_Alive_Time);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.translation.impl.UGCLanguageDetector");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Translation_Impl_U_G_C_Language_Detector;
--
procedure Com_Adobe_Cq_Social_Ugcbase_Dispatcher_Impl_Flush_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Thread_Pool_Size : in Swagger.Nullable_Integer;
Delay_Time : in Swagger.Nullable_Integer;
Worker_Sleep_Time : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialUgcbaseDispatcherImplFlushServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("threadPoolSize", Thread_Pool_Size);
URI.Add_Param ("delayTime", Delay_Time);
URI.Add_Param ("workerSleepTime", Worker_Sleep_Time);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.ugcbase.dispatcher.impl.FlushServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Ugcbase_Dispatcher_Impl_Flush_Service_Impl;
--
procedure Com_Adobe_Cq_Social_Ugcbase_Impl_Aysnc_Reverse_Replicator_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Pool_Size : in Swagger.Nullable_Integer;
Max_Pool_Size : in Swagger.Nullable_Integer;
Queue_Size : in Swagger.Nullable_Integer;
Keep_Alive_Time : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqSocialUgcbaseImplAysncReverseReplicatorImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("poolSize", Pool_Size);
URI.Add_Param ("maxPoolSize", Max_Pool_Size);
URI.Add_Param ("queueSize", Queue_Size);
URI.Add_Param ("keepAliveTime", Keep_Alive_Time);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.ugcbase.impl.AysncReverseReplicatorImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Ugcbase_Impl_Aysnc_Reverse_Replicator_Impl;
--
procedure Com_Adobe_Cq_Social_Ugcbase_Impl_Publisher_Configuration_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Is_Primary_Publisher : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeCqSocialUgcbaseImplPublisherConfigurationImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("isPrimaryPublisher", Is_Primary_Publisher);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.ugcbase.impl.PublisherConfigurationImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Ugcbase_Impl_Publisher_Configuration_Impl;
--
procedure Com_Adobe_Cq_Social_Ugcbase_Impl_Social_Utils_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Legacy_Cloud_U_G_C_Path_Mapping : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeCqSocialUgcbaseImplSocialUtilsImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("legacyCloudUGCPathMapping", Legacy_Cloud_U_G_C_Path_Mapping);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.ugcbase.impl.SocialUtilsImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Ugcbase_Impl_Social_Utils_Impl;
--
procedure Com_Adobe_Cq_Social_Ugcbase_Moderation_Impl_Auto_Moderation_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Automoderation_Periodsequence : in Swagger.UString_Vectors.Vector;
Automoderation_Periodonfailurestop : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeCqSocialUgcbaseModerationImplAutoModerationImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("automoderation.sequence", Automoderation_Periodsequence);
URI.Add_Param ("automoderation.onfailurestop", Automoderation_Periodonfailurestop);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.ugcbase.moderation.impl.AutoModerationImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Ugcbase_Moderation_Impl_Auto_Moderation_Impl;
--
procedure Com_Adobe_Cq_Social_Ugcbase_Moderation_Impl_Sentiment_Process
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Watchwords_Periodpositive : in Swagger.UString_Vectors.Vector;
Watchwords_Periodnegative : in Swagger.UString_Vectors.Vector;
Watchwords_Periodpath : in Swagger.Nullable_UString;
Sentiment_Periodpath : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqSocialUgcbaseModerationImplSentimentProcessInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("watchwords.positive", Watchwords_Periodpositive);
URI.Add_Param ("watchwords.negative", Watchwords_Periodnegative);
URI.Add_Param ("watchwords.path", Watchwords_Periodpath);
URI.Add_Param ("sentiment.path", Sentiment_Periodpath);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.ugcbase.moderation.impl.SentimentProcess");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Ugcbase_Moderation_Impl_Sentiment_Process;
--
procedure Com_Adobe_Cq_Social_Ugcbase_Security_Impl_Default_Attachment_Type_Blackli
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Default_Periodattachment_Periodtype_Periodblacklist : in Swagger.UString_Vectors.Vector;
Baseline_Periodattachment_Periodtype_Periodblacklist : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSocialUgcbaseSecurityImplDefaultAttachmentTypeBlackliInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("default.attachment.type.blacklist", Default_Periodattachment_Periodtype_Periodblacklist);
URI.Add_Param ("baseline.attachment.type.blacklist", Baseline_Periodattachment_Periodtype_Periodblacklist);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.ugcbase.security.impl.DefaultAttachmentTypeBlacklistService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Ugcbase_Security_Impl_Default_Attachment_Type_Blackli;
--
procedure Com_Adobe_Cq_Social_Ugcbase_Security_Impl_Safer_Sling_Post_Validator_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Parameter_Periodwhitelist : in Swagger.UString_Vectors.Vector;
Parameter_Periodwhitelist_Periodprefixes : in Swagger.UString_Vectors.Vector;
Binary_Periodparameter_Periodwhitelist : in Swagger.UString_Vectors.Vector;
Modifier_Periodwhitelist : in Swagger.UString_Vectors.Vector;
Operation_Periodwhitelist : in Swagger.UString_Vectors.Vector;
Operation_Periodwhitelist_Periodprefixes : in Swagger.UString_Vectors.Vector;
Typehint_Periodwhitelist : in Swagger.UString_Vectors.Vector;
Resourcetype_Periodwhitelist : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSocialUgcbaseSecurityImplSaferSlingPostValidatorImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("parameter.whitelist", Parameter_Periodwhitelist);
URI.Add_Param ("parameter.whitelist.prefixes", Parameter_Periodwhitelist_Periodprefixes);
URI.Add_Param ("binary.parameter.whitelist", Binary_Periodparameter_Periodwhitelist);
URI.Add_Param ("modifier.whitelist", Modifier_Periodwhitelist);
URI.Add_Param ("operation.whitelist", Operation_Periodwhitelist);
URI.Add_Param ("operation.whitelist.prefixes", Operation_Periodwhitelist_Periodprefixes);
URI.Add_Param ("typehint.whitelist", Typehint_Periodwhitelist);
URI.Add_Param ("resourcetype.whitelist", Resourcetype_Periodwhitelist);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.ugcbase.security.impl.SaferSlingPostValidatorImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_Ugcbase_Security_Impl_Safer_Sling_Post_Validator_Impl;
--
procedure Com_Adobe_Cq_Social_User_Endpoints_Impl_Users_Group_From_Publish_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Sling_Periodservlet_Periodextensions : in Swagger.Nullable_UString;
Sling_Periodservlet_Periodpaths : in Swagger.Nullable_UString;
Sling_Periodservlet_Periodmethods : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqSocialUserEndpointsImplUsersGroupFromPublishServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("sling.servlet.extensions", Sling_Periodservlet_Periodextensions);
URI.Add_Param ("sling.servlet.paths", Sling_Periodservlet_Periodpaths);
URI.Add_Param ("sling.servlet.methods", Sling_Periodservlet_Periodmethods);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.user.endpoints.impl.UsersGroupFromPublishServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_User_Endpoints_Impl_Users_Group_From_Publish_Servlet;
--
procedure Com_Adobe_Cq_Social_User_Impl_Transport_Http_To_Publisher
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Enable : in Swagger.Nullable_Boolean;
Agent_Periodconfiguration : in Swagger.UString_Vectors.Vector;
Context_Periodpath : in Swagger.Nullable_UString;
Disabled_Periodcipher_Periodsuites : in Swagger.UString_Vectors.Vector;
Enabled_Periodcipher_Periodsuites : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqSocialUserImplTransportHttpToPublisherInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("enable", Enable);
URI.Add_Param ("agent.configuration", Agent_Periodconfiguration);
URI.Add_Param ("context.path", Context_Periodpath);
URI.Add_Param ("disabled.cipher.suites", Disabled_Periodcipher_Periodsuites);
URI.Add_Param ("enabled.cipher.suites", Enabled_Periodcipher_Periodsuites);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.social.user.impl.transport.HttpToPublisher");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Social_User_Impl_Transport_Http_To_Publisher;
--
procedure Com_Adobe_Cq_Ui_Wcm_Commons_Internal_Servlets_Rte_R_T_E_Filter_Servlet_Fact
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Resource_Periodtypes : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqUiWcmCommonsInternalServletsRteRTEFilterServletFactInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("resource.types", Resource_Periodtypes);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.ui.wcm.commons.internal.servlets.rte.RTEFilterServletFactory.amended");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Ui_Wcm_Commons_Internal_Servlets_Rte_R_T_E_Filter_Servlet_Fact;
--
procedure Com_Adobe_Cq_Upgrades_Cleanup_Impl_Upgrade_Content_Cleanup
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Delete_Periodpath_Periodregexps : in Swagger.UString_Vectors.Vector;
Delete_Periodsql2_Periodquery : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqUpgradesCleanupImplUpgradeContentCleanupInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("delete.path.regexps", Delete_Periodpath_Periodregexps);
URI.Add_Param ("delete.sql2.query", Delete_Periodsql2_Periodquery);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.upgrades.cleanup.impl.UpgradeContentCleanup");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Upgrades_Cleanup_Impl_Upgrade_Content_Cleanup;
--
procedure Com_Adobe_Cq_Upgrades_Cleanup_Impl_Upgrade_Install_Folder_Cleanup
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Delete_Periodname_Periodregexps : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqUpgradesCleanupImplUpgradeInstallFolderCleanupInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("delete.name.regexps", Delete_Periodname_Periodregexps);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.upgrades.cleanup.impl.UpgradeInstallFolderCleanup");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Upgrades_Cleanup_Impl_Upgrade_Install_Folder_Cleanup;
--
procedure Com_Adobe_Cq_Wcm_Jobs_Async_Impl_Async_Delete_Config_Provider_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Threshold : in Swagger.Nullable_Integer;
Job_Topic_Name : in Swagger.Nullable_UString;
Email_Enabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeCqWcmJobsAsyncImplAsyncDeleteConfigProviderServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("threshold", Threshold);
URI.Add_Param ("jobTopicName", Job_Topic_Name);
URI.Add_Param ("emailEnabled", Email_Enabled);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.wcm.jobs.async.impl.AsyncDeleteConfigProviderService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Wcm_Jobs_Async_Impl_Async_Delete_Config_Provider_Service;
--
procedure Com_Adobe_Cq_Wcm_Jobs_Async_Impl_Async_Job_Clean_Up_Task
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Scheduler_Periodexpression : in Swagger.Nullable_UString;
Job_Periodpurge_Periodthreshold : in Swagger.Nullable_Integer;
Job_Periodpurge_Periodmax_Periodjobs : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqWcmJobsAsyncImplAsyncJobCleanUpTaskInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("scheduler.expression", Scheduler_Periodexpression);
URI.Add_Param ("job.purge.threshold", Job_Periodpurge_Periodthreshold);
URI.Add_Param ("job.purge.max.jobs", Job_Periodpurge_Periodmax_Periodjobs);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.wcm.jobs.async.impl.AsyncJobCleanUpTask");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Wcm_Jobs_Async_Impl_Async_Job_Clean_Up_Task;
--
procedure Com_Adobe_Cq_Wcm_Jobs_Async_Impl_Async_Move_Config_Provider_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Threshold : in Swagger.Nullable_Integer;
Job_Topic_Name : in Swagger.Nullable_UString;
Email_Enabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeCqWcmJobsAsyncImplAsyncMoveConfigProviderServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("threshold", Threshold);
URI.Add_Param ("jobTopicName", Job_Topic_Name);
URI.Add_Param ("emailEnabled", Email_Enabled);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.wcm.jobs.async.impl.AsyncMoveConfigProviderService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Wcm_Jobs_Async_Impl_Async_Move_Config_Provider_Service;
--
procedure Com_Adobe_Cq_Wcm_Jobs_Async_Impl_Async_Page_Move_Config_Provider_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Threshold : in Swagger.Nullable_Integer;
Job_Topic_Name : in Swagger.Nullable_UString;
Email_Enabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeCqWcmJobsAsyncImplAsyncPageMoveConfigProviderServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("threshold", Threshold);
URI.Add_Param ("jobTopicName", Job_Topic_Name);
URI.Add_Param ("emailEnabled", Email_Enabled);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.wcm.jobs.async.impl.AsyncPageMoveConfigProviderService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Wcm_Jobs_Async_Impl_Async_Page_Move_Config_Provider_Service;
--
procedure Com_Adobe_Cq_Wcm_Launches_Impl_Launches_Event_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Event_Periodfilter : in Swagger.Nullable_UString;
Launches_Periodeventhandler_Periodthreadpool_Periodmaxsize : in Swagger.Nullable_Integer;
Launches_Periodeventhandler_Periodthreadpool_Periodpriority : in Swagger.Nullable_UString;
Launches_Periodeventhandler_Periodupdatelastmodification : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeCqWcmLaunchesImplLaunchesEventHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("event.filter", Event_Periodfilter);
URI.Add_Param ("launches.eventhandler.threadpool.maxsize", Launches_Periodeventhandler_Periodthreadpool_Periodmaxsize);
URI.Add_Param ("launches.eventhandler.threadpool.priority", Launches_Periodeventhandler_Periodthreadpool_Periodpriority);
URI.Add_Param ("launches.eventhandler.updatelastmodification", Launches_Periodeventhandler_Periodupdatelastmodification);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.wcm.launches.impl.LaunchesEventHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Wcm_Launches_Impl_Launches_Event_Handler;
--
procedure Com_Adobe_Cq_Wcm_Mobile_Qrcode_Servlet_Q_R_Code_Image_Generator
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodwcm_Periodqrcode_Periodservlet_Periodwhitelist : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeCqWcmMobileQrcodeServletQRCodeImageGeneratorInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.wcm.qrcode.servlet.whitelist", Cq_Periodwcm_Periodqrcode_Periodservlet_Periodwhitelist);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.wcm.mobile.qrcode.servlet.QRCodeImageGenerator");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Wcm_Mobile_Qrcode_Servlet_Q_R_Code_Image_Generator;
--
procedure Com_Adobe_Cq_Wcm_Style_Internal_Component_Style_Info_Cache_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Size : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeCqWcmStyleInternalComponentStyleInfoCacheImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("size", Size);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.wcm.style.internal.ComponentStyleInfoCacheImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Wcm_Style_Internal_Component_Style_Info_Cache_Impl;
--
procedure Com_Adobe_Cq_Wcm_Translation_Impl_Translation_Platform_Configuration_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Sync_Translation_State_Periodscheduling_Format : in Swagger.Nullable_UString;
Scheduling_Repeat_Translation_Periodscheduling_Format : in Swagger.Nullable_UString;
Sync_Translation_State_Periodlock_Timeout_In_Minutes : in Swagger.Nullable_UString;
Export_Periodformat : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeCqWcmTranslationImplTranslationPlatformConfigurationImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("syncTranslationState.schedulingFormat", Sync_Translation_State_Periodscheduling_Format);
URI.Add_Param ("schedulingRepeatTranslation.schedulingFormat", Scheduling_Repeat_Translation_Periodscheduling_Format);
URI.Add_Param ("syncTranslationState.lockTimeoutInMinutes", Sync_Translation_State_Periodlock_Timeout_In_Minutes);
URI.Add_Param ("export.format", Export_Periodformat);
URI.Set_Path ("/system/console/configMgr/com.adobe.cq.wcm.translation.impl.TranslationPlatformConfigurationImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Cq_Wcm_Translation_Impl_Translation_Platform_Configuration_Impl;
--
procedure Com_Adobe_Fd_Fp_Config_Forms_Portal_Draftsand_Submission_Config_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Portal_Periodoutboxes : in Swagger.UString_Vectors.Vector;
Draft_Perioddata_Periodservice : in Swagger.Nullable_UString;
Draft_Periodmetadata_Periodservice : in Swagger.Nullable_UString;
Submit_Perioddata_Periodservice : in Swagger.Nullable_UString;
Submit_Periodmetadata_Periodservice : in Swagger.Nullable_UString;
Pending_Sign_Perioddata_Periodservice : in Swagger.Nullable_UString;
Pending_Sign_Periodmetadata_Periodservice : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeFdFpConfigFormsPortalDraftsandSubmissionConfigServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("portal.outboxes", Portal_Periodoutboxes);
URI.Add_Param ("draft.data.service", Draft_Perioddata_Periodservice);
URI.Add_Param ("draft.metadata.service", Draft_Periodmetadata_Periodservice);
URI.Add_Param ("submit.data.service", Submit_Perioddata_Periodservice);
URI.Add_Param ("submit.metadata.service", Submit_Periodmetadata_Periodservice);
URI.Add_Param ("pendingSign.data.service", Pending_Sign_Perioddata_Periodservice);
URI.Add_Param ("pendingSign.metadata.service", Pending_Sign_Periodmetadata_Periodservice);
URI.Set_Path ("/system/console/configMgr/com.adobe.fd.fp.config.FormsPortalDraftsandSubmissionConfigService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Fd_Fp_Config_Forms_Portal_Draftsand_Submission_Config_Service;
--
procedure Com_Adobe_Fd_Fp_Config_Forms_Portal_Scheduler_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Formportal_Periodinterval : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeFdFpConfigFormsPortalSchedulerServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("formportal.interval", Formportal_Periodinterval);
URI.Set_Path ("/system/console/configMgr/com.adobe.fd.fp.config.FormsPortalSchedulerService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Fd_Fp_Config_Forms_Portal_Scheduler_Service;
--
procedure Com_Adobe_Forms_Common_Service_Impl_Default_Data_Provider
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Alloweddata_File_Locations : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeFormsCommonServiceImplDefaultDataProviderInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("alloweddataFileLocations", Alloweddata_File_Locations);
URI.Set_Path ("/system/console/configMgr/com.adobe.forms.common.service.impl.DefaultDataProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Forms_Common_Service_Impl_Default_Data_Provider;
--
procedure Com_Adobe_Forms_Common_Service_Impl_Forms_Common_Configuration_Service_Imp
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Temp_Storage_Config : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeFormsCommonServiceImplFormsCommonConfigurationServiceImpInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("tempStorageConfig", Temp_Storage_Config);
URI.Set_Path ("/system/console/configMgr/com.adobe.forms.common.service.impl.FormsCommonConfigurationServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Forms_Common_Service_Impl_Forms_Common_Configuration_Service_Imp;
--
procedure Com_Adobe_Forms_Common_Servlet_Temp_Clean_Up_Task
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Scheduler_Periodexpression : in Swagger.Nullable_UString;
Duration for _Temporary _Storage : in Swagger.Nullable_UString;
Duration for _Anonymous _Storage : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeFormsCommonServletTempCleanUpTaskInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("scheduler.expression", Scheduler_Periodexpression);
URI.Add_Param ("Duration for Temporary Storage", Duration for _Temporary _Storage);
URI.Add_Param ("Duration for Anonymous Storage", Duration for _Anonymous _Storage);
URI.Set_Path ("/system/console/configMgr/com.adobe.forms.common.servlet.TempCleanUpTask");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Forms_Common_Servlet_Temp_Clean_Up_Task;
--
procedure Com_Adobe_Granite_Acp_Platform_Platform_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Query_Periodlimit : in Swagger.Nullable_Integer;
File_Periodtype_Periodextension_Periodmap : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteAcpPlatformPlatformServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("query.limit", Query_Periodlimit);
URI.Add_Param ("file.type.extension.map", File_Periodtype_Periodextension_Periodmap);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.acp.platform.PlatformServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Acp_Platform_Platform_Servlet;
--
procedure Com_Adobe_Granite_Activitystreams_Impl_Activity_Manager_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Aggregate_Periodrelationships : in Swagger.UString_Vectors.Vector;
Aggregate_Perioddescend_Periodvirtual : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeGraniteActivitystreamsImplActivityManagerImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("aggregate.relationships", Aggregate_Periodrelationships);
URI.Add_Param ("aggregate.descend.virtual", Aggregate_Perioddescend_Periodvirtual);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.activitystreams.impl.ActivityManagerImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Activitystreams_Impl_Activity_Manager_Impl;
--
procedure Com_Adobe_Granite_Analyzer_Base_System_Status_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Disabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeGraniteAnalyzerBaseSystemStatusServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("disabled", Disabled);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.analyzer.base.SystemStatusServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Analyzer_Base_System_Status_Servlet;
--
procedure Com_Adobe_Granite_Analyzer_Scripts_Compile_All_Scripts_Compiler_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Disabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeGraniteAnalyzerScriptsCompileAllScriptsCompilerServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("disabled", Disabled);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.analyzer.scripts.compile.AllScriptsCompilerServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Analyzer_Scripts_Compile_All_Scripts_Compiler_Servlet;
--
procedure Com_Adobe_Granite_Apicontroller_Filter_Resolver_Hook_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Com_Periodadobe_Periodcq_Periodcdn_Periodcdn_Rewriter : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodcloud_Config_Periodcomponents : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodcloud_Config_Periodcore : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodcloud_Config_Periodui : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodcom_Periodadobe_Periodcq_Periodeditor : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodcom_Periodadobe_Periodcq_Periodprojects_Periodcore : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodcom_Periodadobe_Periodcq_Periodprojects_Periodwcm_Periodcore : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodcom_Periodadobe_Periodcq_Periodui_Periodcommons : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodcom_Periodadobe_Periodcq_Periodwcm_Periodstyle : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodcq_Activitymap_Integration : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodcq_Contexthub_Commons : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodcq_Dtm : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodcq_Healthcheck : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodcq_Multisite_Targeting : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodcq_Pre_Upgrade_Cleanup : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodcq_Product_Info_Provider : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodcq_Rest_Sites : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodcq_Security_Hc : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Perioddam_Periodcq_Dam_Svg_Handler : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Perioddam_Periodcq_Scene7_Imaging : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Perioddtm_Reactor_Periodcore : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Perioddtm_Reactor_Periodui : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodexp_Jspel_Resolver : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodinbox_Periodcq_Inbox : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodjson_Schema_Parser : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodmedia_Periodcq_Media_Publishing_Dps_Fp_Core : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodmobile_Periodcq_Mobile_Caas : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodmobile_Periodcq_Mobile_Index_Builder : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodmobile_Periodcq_Mobile_Phonegap_Build : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodmyspell : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodsample_Periodwe_Periodretail_Periodcore : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodscreens_Periodcom_Periodadobe_Periodcq_Periodscreens_Perioddcc : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodscreens_Periodcom_Periodadobe_Periodcq_Periodscreens_Periodmq_Periodcore : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_As_Provider : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Badging_Basic_Impl : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Badging_Impl : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Calendar_Impl : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Content_Fragments_Impl : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Enablement_Impl : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Graph_Impl : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Ideation_Impl : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Jcr_Provider : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Members_Impl : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Ms_Provider : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Notifications_Channels_Web : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Notifications_Impl : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Rdb_Provider : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Scf_Impl : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Scoring_Basic_Impl : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Scoring_Impl : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Serviceusers_Impl : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Srp_Impl : in Swagger.Nullable_UString;
Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Ugcbase_Impl : in Swagger.Nullable_UString;
Com_Periodadobe_Perioddam_Periodcq_Dam_Cfm_Impl : in Swagger.Nullable_UString;
Com_Periodadobe_Periodforms_Periodfoundation_Forms_Foundation_Base : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodapicontroller : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodasset_Periodcore : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodauth_Periodsso : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodbundles_Periodhc_Periodimpl : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodcompat_Router : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodconf : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodconf_Periodui_Periodcore : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodcors : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodcrx_Explorer : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodcrxde_Lite : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodcrypto_Periodconfig : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodcrypto_Periodextension : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodcrypto_Periodfile : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodcrypto_Periodjcr : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodcsrf : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Perioddistribution_Periodcore : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Perioddropwizard_Periodmetrics : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodfrags_Periodimpl : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodgibson : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodinfocollector : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodinstaller_Periodfactory_Periodpackages : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodjetty_Periodssl : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodjobs_Periodasync : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodmaintenance_Periodoak : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodmonitoring_Periodcore : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodqueries : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodreplication_Periodhc_Periodimpl : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodrepository_Periodchecker : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodrepository_Periodhc_Periodimpl : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodrest_Periodassets : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodsecurity_Periodui : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodstartup : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodtagsoup : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodtaskmanagement_Periodcore : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodtaskmanagement_Periodworkflow : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodui_Periodclientlibs_Periodcompiler_Periodless : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodui_Periodclientlibs_Periodprocessor_Periodgcc : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodwebconsole_Periodplugins : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodworkflow_Periodconsole : in Swagger.Nullable_UString;
Com_Periodadobe_Periodxmp_Periodworker_Periodfiles_Periodnative_Periodfragment_Periodlinux : in Swagger.Nullable_UString;
Com_Periodadobe_Periodxmp_Periodworker_Periodfiles_Periodnative_Periodfragment_Periodmacosx : in Swagger.Nullable_UString;
Com_Periodadobe_Periodxmp_Periodworker_Periodfiles_Periodnative_Periodfragment_Periodwin : in Swagger.Nullable_UString;
Com_Periodday_Periodcommons_Periodosgi_Periodwrapper_Periodsimple_Jndi : in Swagger.Nullable_UString;
Com_Periodday_Periodcq_Periodcq_Authhandler : in Swagger.Nullable_UString;
Com_Periodday_Periodcq_Periodcq_Compat_Configupdate : in Swagger.Nullable_UString;
Com_Periodday_Periodcq_Periodcq_Licensebranding : in Swagger.Nullable_UString;
Com_Periodday_Periodcq_Periodcq_Notifcation_Impl : in Swagger.Nullable_UString;
Com_Periodday_Periodcq_Periodcq_Replication_Audit : in Swagger.Nullable_UString;
Com_Periodday_Periodcq_Periodcq_Search_Ext : in Swagger.Nullable_UString;
Com_Periodday_Periodcq_Perioddam_Periodcq_Dam_Annotation_Print : in Swagger.Nullable_UString;
Com_Periodday_Periodcq_Perioddam_Periodcq_Dam_Asset_Usage : in Swagger.Nullable_UString;
Com_Periodday_Periodcq_Perioddam_Periodcq_Dam_S7dam : in Swagger.Nullable_UString;
Com_Periodday_Periodcq_Perioddam_Periodcq_Dam_Similaritysearch : in Swagger.Nullable_UString;
Com_Periodday_Periodcq_Perioddam_Perioddam_Webdav_Support : in Swagger.Nullable_UString;
Com_Periodday_Periodcq_Periodpre_Upgrade_Tasks : in Swagger.Nullable_UString;
Com_Periodday_Periodcq_Periodreplication_Periodextensions : in Swagger.Nullable_UString;
Com_Periodday_Periodcq_Periodwcm_Periodcq_Msm_Core : in Swagger.Nullable_UString;
Com_Periodday_Periodcq_Periodwcm_Periodcq_Wcm_Translation : in Swagger.Nullable_UString;
Day_Commons_Jrawio : in Swagger.Nullable_UString;
Org_Periodapache_Periodaries_Periodjmx_Periodwhiteboard : in Swagger.Nullable_UString;
Org_Periodapache_Periodfelix_Periodhttp_Periodsslfilter : in Swagger.Nullable_UString;
Org_Periodapache_Periodfelix_Periodorg_Periodapache_Periodfelix_Periodthreaddump : in Swagger.Nullable_UString;
Org_Periodapache_Periodfelix_Periodwebconsole_Periodplugins_Periodds : in Swagger.Nullable_UString;
Org_Periodapache_Periodfelix_Periodwebconsole_Periodplugins_Periodevent : in Swagger.Nullable_UString;
Org_Periodapache_Periodfelix_Periodwebconsole_Periodplugins_Periodmemoryusage : in Swagger.Nullable_UString;
Org_Periodapache_Periodfelix_Periodwebconsole_Periodplugins_Periodpackageadmin : in Swagger.Nullable_UString;
Org_Periodapache_Periodjackrabbit_Periodoak_Auth_Ldap : in Swagger.Nullable_UString;
Org_Periodapache_Periodjackrabbit_Periodoak_Segment_Tar : in Swagger.Nullable_UString;
Org_Periodapache_Periodjackrabbit_Periodoak_Solr_Osgi : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodbundleresource_Periodimpl : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodcommons_Periodfsclassloader : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodwebconsole : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Perioddatasource : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Perioddiscovery_Periodbase : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Perioddiscovery_Periodoak : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Perioddiscovery_Periodsupport : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Perioddistribution_Periodapi : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Perioddistribution_Periodcore : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodextensions_Periodwebconsolesecurityprovider : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodhc_Periodwebconsole : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodinstaller_Periodconsole : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodinstaller_Periodprovider_Periodfile : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodinstaller_Periodprovider_Periodjcr : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodjcr_Perioddavex : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodjcr_Periodresourcesecurity : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodjmx_Periodprovider : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodlaunchpad_Periodinstaller : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodmodels_Periodimpl : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodrepoinit_Periodparser : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodresource_Periodinventory : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodresourceresolver : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodscripting_Periodjavascript : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodscripting_Periodjst : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodscripting_Periodsightly_Periodjs_Periodprovider : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodscripting_Periodsightly_Periodmodels_Periodprovider : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodsecurity : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodservlets_Periodcompat : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodservlets_Periodget : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodstartupfilter_Perioddisabler : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodtracer : in Swagger.Nullable_UString;
We_Periodretail_Periodclient_Periodapp_Periodcore : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteApicontrollerFilterResolverHookFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("com.adobe.cq.cdn.cdn-rewriter", Com_Periodadobe_Periodcq_Periodcdn_Periodcdn_Rewriter);
URI.Add_Param ("com.adobe.cq.cloud-config.components", Com_Periodadobe_Periodcq_Periodcloud_Config_Periodcomponents);
URI.Add_Param ("com.adobe.cq.cloud-config.core", Com_Periodadobe_Periodcq_Periodcloud_Config_Periodcore);
URI.Add_Param ("com.adobe.cq.cloud-config.ui", Com_Periodadobe_Periodcq_Periodcloud_Config_Periodui);
URI.Add_Param ("com.adobe.cq.com.adobe.cq.editor", Com_Periodadobe_Periodcq_Periodcom_Periodadobe_Periodcq_Periodeditor);
URI.Add_Param ("com.adobe.cq.com.adobe.cq.projects.core", Com_Periodadobe_Periodcq_Periodcom_Periodadobe_Periodcq_Periodprojects_Periodcore);
URI.Add_Param ("com.adobe.cq.com.adobe.cq.projects.wcm.core", Com_Periodadobe_Periodcq_Periodcom_Periodadobe_Periodcq_Periodprojects_Periodwcm_Periodcore);
URI.Add_Param ("com.adobe.cq.com.adobe.cq.ui.commons", Com_Periodadobe_Periodcq_Periodcom_Periodadobe_Periodcq_Periodui_Periodcommons);
URI.Add_Param ("com.adobe.cq.com.adobe.cq.wcm.style", Com_Periodadobe_Periodcq_Periodcom_Periodadobe_Periodcq_Periodwcm_Periodstyle);
URI.Add_Param ("com.adobe.cq.cq-activitymap-integration", Com_Periodadobe_Periodcq_Periodcq_Activitymap_Integration);
URI.Add_Param ("com.adobe.cq.cq-contexthub-commons", Com_Periodadobe_Periodcq_Periodcq_Contexthub_Commons);
URI.Add_Param ("com.adobe.cq.cq-dtm", Com_Periodadobe_Periodcq_Periodcq_Dtm);
URI.Add_Param ("com.adobe.cq.cq-healthcheck", Com_Periodadobe_Periodcq_Periodcq_Healthcheck);
URI.Add_Param ("com.adobe.cq.cq-multisite-targeting", Com_Periodadobe_Periodcq_Periodcq_Multisite_Targeting);
URI.Add_Param ("com.adobe.cq.cq-pre-upgrade-cleanup", Com_Periodadobe_Periodcq_Periodcq_Pre_Upgrade_Cleanup);
URI.Add_Param ("com.adobe.cq.cq-product-info-provider", Com_Periodadobe_Periodcq_Periodcq_Product_Info_Provider);
URI.Add_Param ("com.adobe.cq.cq-rest-sites", Com_Periodadobe_Periodcq_Periodcq_Rest_Sites);
URI.Add_Param ("com.adobe.cq.cq-security-hc", Com_Periodadobe_Periodcq_Periodcq_Security_Hc);
URI.Add_Param ("com.adobe.cq.dam.cq-dam-svg-handler", Com_Periodadobe_Periodcq_Perioddam_Periodcq_Dam_Svg_Handler);
URI.Add_Param ("com.adobe.cq.dam.cq-scene7-imaging", Com_Periodadobe_Periodcq_Perioddam_Periodcq_Scene7_Imaging);
URI.Add_Param ("com.adobe.cq.dtm-reactor.core", Com_Periodadobe_Periodcq_Perioddtm_Reactor_Periodcore);
URI.Add_Param ("com.adobe.cq.dtm-reactor.ui", Com_Periodadobe_Periodcq_Perioddtm_Reactor_Periodui);
URI.Add_Param ("com.adobe.cq.exp-jspel-resolver", Com_Periodadobe_Periodcq_Periodexp_Jspel_Resolver);
URI.Add_Param ("com.adobe.cq.inbox.cq-inbox", Com_Periodadobe_Periodcq_Periodinbox_Periodcq_Inbox);
URI.Add_Param ("com.adobe.cq.json-schema-parser", Com_Periodadobe_Periodcq_Periodjson_Schema_Parser);
URI.Add_Param ("com.adobe.cq.media.cq-media-publishing-dps-fp-core", Com_Periodadobe_Periodcq_Periodmedia_Periodcq_Media_Publishing_Dps_Fp_Core);
URI.Add_Param ("com.adobe.cq.mobile.cq-mobile-caas", Com_Periodadobe_Periodcq_Periodmobile_Periodcq_Mobile_Caas);
URI.Add_Param ("com.adobe.cq.mobile.cq-mobile-index-builder", Com_Periodadobe_Periodcq_Periodmobile_Periodcq_Mobile_Index_Builder);
URI.Add_Param ("com.adobe.cq.mobile.cq-mobile-phonegap-build", Com_Periodadobe_Periodcq_Periodmobile_Periodcq_Mobile_Phonegap_Build);
URI.Add_Param ("com.adobe.cq.myspell", Com_Periodadobe_Periodcq_Periodmyspell);
URI.Add_Param ("com.adobe.cq.sample.we.retail.core", Com_Periodadobe_Periodcq_Periodsample_Periodwe_Periodretail_Periodcore);
URI.Add_Param ("com.adobe.cq.screens.com.adobe.cq.screens.dcc", Com_Periodadobe_Periodcq_Periodscreens_Periodcom_Periodadobe_Periodcq_Periodscreens_Perioddcc);
URI.Add_Param ("com.adobe.cq.screens.com.adobe.cq.screens.mq.core", Com_Periodadobe_Periodcq_Periodscreens_Periodcom_Periodadobe_Periodcq_Periodscreens_Periodmq_Periodcore);
URI.Add_Param ("com.adobe.cq.social.cq-social-as-provider", Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_As_Provider);
URI.Add_Param ("com.adobe.cq.social.cq-social-badging-basic-impl", Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Badging_Basic_Impl);
URI.Add_Param ("com.adobe.cq.social.cq-social-badging-impl", Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Badging_Impl);
URI.Add_Param ("com.adobe.cq.social.cq-social-calendar-impl", Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Calendar_Impl);
URI.Add_Param ("com.adobe.cq.social.cq-social-content-fragments-impl", Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Content_Fragments_Impl);
URI.Add_Param ("com.adobe.cq.social.cq-social-enablement-impl", Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Enablement_Impl);
URI.Add_Param ("com.adobe.cq.social.cq-social-graph-impl", Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Graph_Impl);
URI.Add_Param ("com.adobe.cq.social.cq-social-ideation-impl", Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Ideation_Impl);
URI.Add_Param ("com.adobe.cq.social.cq-social-jcr-provider", Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Jcr_Provider);
URI.Add_Param ("com.adobe.cq.social.cq-social-members-impl", Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Members_Impl);
URI.Add_Param ("com.adobe.cq.social.cq-social-ms-provider", Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Ms_Provider);
URI.Add_Param ("com.adobe.cq.social.cq-social-notifications-channels-web", Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Notifications_Channels_Web);
URI.Add_Param ("com.adobe.cq.social.cq-social-notifications-impl", Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Notifications_Impl);
URI.Add_Param ("com.adobe.cq.social.cq-social-rdb-provider", Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Rdb_Provider);
URI.Add_Param ("com.adobe.cq.social.cq-social-scf-impl", Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Scf_Impl);
URI.Add_Param ("com.adobe.cq.social.cq-social-scoring-basic-impl", Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Scoring_Basic_Impl);
URI.Add_Param ("com.adobe.cq.social.cq-social-scoring-impl", Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Scoring_Impl);
URI.Add_Param ("com.adobe.cq.social.cq-social-serviceusers-impl", Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Serviceusers_Impl);
URI.Add_Param ("com.adobe.cq.social.cq-social-srp-impl", Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Srp_Impl);
URI.Add_Param ("com.adobe.cq.social.cq-social-ugcbase-impl", Com_Periodadobe_Periodcq_Periodsocial_Periodcq_Social_Ugcbase_Impl);
URI.Add_Param ("com.adobe.dam.cq-dam-cfm-impl", Com_Periodadobe_Perioddam_Periodcq_Dam_Cfm_Impl);
URI.Add_Param ("com.adobe.forms.foundation-forms-foundation-base", Com_Periodadobe_Periodforms_Periodfoundation_Forms_Foundation_Base);
URI.Add_Param ("com.adobe.granite.apicontroller", Com_Periodadobe_Periodgranite_Periodapicontroller);
URI.Add_Param ("com.adobe.granite.asset.core", Com_Periodadobe_Periodgranite_Periodasset_Periodcore);
URI.Add_Param ("com.adobe.granite.auth.sso", Com_Periodadobe_Periodgranite_Periodauth_Periodsso);
URI.Add_Param ("com.adobe.granite.bundles.hc.impl", Com_Periodadobe_Periodgranite_Periodbundles_Periodhc_Periodimpl);
URI.Add_Param ("com.adobe.granite.compat-router", Com_Periodadobe_Periodgranite_Periodcompat_Router);
URI.Add_Param ("com.adobe.granite.conf", Com_Periodadobe_Periodgranite_Periodconf);
URI.Add_Param ("com.adobe.granite.conf.ui.core", Com_Periodadobe_Periodgranite_Periodconf_Periodui_Periodcore);
URI.Add_Param ("com.adobe.granite.cors", Com_Periodadobe_Periodgranite_Periodcors);
URI.Add_Param ("com.adobe.granite.crx-explorer", Com_Periodadobe_Periodgranite_Periodcrx_Explorer);
URI.Add_Param ("com.adobe.granite.crxde-lite", Com_Periodadobe_Periodgranite_Periodcrxde_Lite);
URI.Add_Param ("com.adobe.granite.crypto.config", Com_Periodadobe_Periodgranite_Periodcrypto_Periodconfig);
URI.Add_Param ("com.adobe.granite.crypto.extension", Com_Periodadobe_Periodgranite_Periodcrypto_Periodextension);
URI.Add_Param ("com.adobe.granite.crypto.file", Com_Periodadobe_Periodgranite_Periodcrypto_Periodfile);
URI.Add_Param ("com.adobe.granite.crypto.jcr", Com_Periodadobe_Periodgranite_Periodcrypto_Periodjcr);
URI.Add_Param ("com.adobe.granite.csrf", Com_Periodadobe_Periodgranite_Periodcsrf);
URI.Add_Param ("com.adobe.granite.distribution.core", Com_Periodadobe_Periodgranite_Perioddistribution_Periodcore);
URI.Add_Param ("com.adobe.granite.dropwizard.metrics", Com_Periodadobe_Periodgranite_Perioddropwizard_Periodmetrics);
URI.Add_Param ("com.adobe.granite.frags.impl", Com_Periodadobe_Periodgranite_Periodfrags_Periodimpl);
URI.Add_Param ("com.adobe.granite.gibson", Com_Periodadobe_Periodgranite_Periodgibson);
URI.Add_Param ("com.adobe.granite.infocollector", Com_Periodadobe_Periodgranite_Periodinfocollector);
URI.Add_Param ("com.adobe.granite.installer.factory.packages", Com_Periodadobe_Periodgranite_Periodinstaller_Periodfactory_Periodpackages);
URI.Add_Param ("com.adobe.granite.jetty.ssl", Com_Periodadobe_Periodgranite_Periodjetty_Periodssl);
URI.Add_Param ("com.adobe.granite.jobs.async", Com_Periodadobe_Periodgranite_Periodjobs_Periodasync);
URI.Add_Param ("com.adobe.granite.maintenance.oak", Com_Periodadobe_Periodgranite_Periodmaintenance_Periodoak);
URI.Add_Param ("com.adobe.granite.monitoring.core", Com_Periodadobe_Periodgranite_Periodmonitoring_Periodcore);
URI.Add_Param ("com.adobe.granite.queries", Com_Periodadobe_Periodgranite_Periodqueries);
URI.Add_Param ("com.adobe.granite.replication.hc.impl", Com_Periodadobe_Periodgranite_Periodreplication_Periodhc_Periodimpl);
URI.Add_Param ("com.adobe.granite.repository.checker", Com_Periodadobe_Periodgranite_Periodrepository_Periodchecker);
URI.Add_Param ("com.adobe.granite.repository.hc.impl", Com_Periodadobe_Periodgranite_Periodrepository_Periodhc_Periodimpl);
URI.Add_Param ("com.adobe.granite.rest.assets", Com_Periodadobe_Periodgranite_Periodrest_Periodassets);
URI.Add_Param ("com.adobe.granite.security.ui", Com_Periodadobe_Periodgranite_Periodsecurity_Periodui);
URI.Add_Param ("com.adobe.granite.startup", Com_Periodadobe_Periodgranite_Periodstartup);
URI.Add_Param ("com.adobe.granite.tagsoup", Com_Periodadobe_Periodgranite_Periodtagsoup);
URI.Add_Param ("com.adobe.granite.taskmanagement.core", Com_Periodadobe_Periodgranite_Periodtaskmanagement_Periodcore);
URI.Add_Param ("com.adobe.granite.taskmanagement.workflow", Com_Periodadobe_Periodgranite_Periodtaskmanagement_Periodworkflow);
URI.Add_Param ("com.adobe.granite.ui.clientlibs.compiler.less", Com_Periodadobe_Periodgranite_Periodui_Periodclientlibs_Periodcompiler_Periodless);
URI.Add_Param ("com.adobe.granite.ui.clientlibs.processor.gcc", Com_Periodadobe_Periodgranite_Periodui_Periodclientlibs_Periodprocessor_Periodgcc);
URI.Add_Param ("com.adobe.granite.webconsole.plugins", Com_Periodadobe_Periodgranite_Periodwebconsole_Periodplugins);
URI.Add_Param ("com.adobe.granite.workflow.console", Com_Periodadobe_Periodgranite_Periodworkflow_Periodconsole);
URI.Add_Param ("com.adobe.xmp.worker.files.native.fragment.linux", Com_Periodadobe_Periodxmp_Periodworker_Periodfiles_Periodnative_Periodfragment_Periodlinux);
URI.Add_Param ("com.adobe.xmp.worker.files.native.fragment.macosx", Com_Periodadobe_Periodxmp_Periodworker_Periodfiles_Periodnative_Periodfragment_Periodmacosx);
URI.Add_Param ("com.adobe.xmp.worker.files.native.fragment.win", Com_Periodadobe_Periodxmp_Periodworker_Periodfiles_Periodnative_Periodfragment_Periodwin);
URI.Add_Param ("com.day.commons.osgi.wrapper.simple-jndi", Com_Periodday_Periodcommons_Periodosgi_Periodwrapper_Periodsimple_Jndi);
URI.Add_Param ("com.day.cq.cq-authhandler", Com_Periodday_Periodcq_Periodcq_Authhandler);
URI.Add_Param ("com.day.cq.cq-compat-configupdate", Com_Periodday_Periodcq_Periodcq_Compat_Configupdate);
URI.Add_Param ("com.day.cq.cq-licensebranding", Com_Periodday_Periodcq_Periodcq_Licensebranding);
URI.Add_Param ("com.day.cq.cq-notifcation-impl", Com_Periodday_Periodcq_Periodcq_Notifcation_Impl);
URI.Add_Param ("com.day.cq.cq-replication-audit", Com_Periodday_Periodcq_Periodcq_Replication_Audit);
URI.Add_Param ("com.day.cq.cq-search-ext", Com_Periodday_Periodcq_Periodcq_Search_Ext);
URI.Add_Param ("com.day.cq.dam.cq-dam-annotation-print", Com_Periodday_Periodcq_Perioddam_Periodcq_Dam_Annotation_Print);
URI.Add_Param ("com.day.cq.dam.cq-dam-asset-usage", Com_Periodday_Periodcq_Perioddam_Periodcq_Dam_Asset_Usage);
URI.Add_Param ("com.day.cq.dam.cq-dam-s7dam", Com_Periodday_Periodcq_Perioddam_Periodcq_Dam_S7dam);
URI.Add_Param ("com.day.cq.dam.cq-dam-similaritysearch", Com_Periodday_Periodcq_Perioddam_Periodcq_Dam_Similaritysearch);
URI.Add_Param ("com.day.cq.dam.dam-webdav-support", Com_Periodday_Periodcq_Perioddam_Perioddam_Webdav_Support);
URI.Add_Param ("com.day.cq.pre-upgrade-tasks", Com_Periodday_Periodcq_Periodpre_Upgrade_Tasks);
URI.Add_Param ("com.day.cq.replication.extensions", Com_Periodday_Periodcq_Periodreplication_Periodextensions);
URI.Add_Param ("com.day.cq.wcm.cq-msm-core", Com_Periodday_Periodcq_Periodwcm_Periodcq_Msm_Core);
URI.Add_Param ("com.day.cq.wcm.cq-wcm-translation", Com_Periodday_Periodcq_Periodwcm_Periodcq_Wcm_Translation);
URI.Add_Param ("day-commons-jrawio", Day_Commons_Jrawio);
URI.Add_Param ("org.apache.aries.jmx.whiteboard", Org_Periodapache_Periodaries_Periodjmx_Periodwhiteboard);
URI.Add_Param ("org.apache.felix.http.sslfilter", Org_Periodapache_Periodfelix_Periodhttp_Periodsslfilter);
URI.Add_Param ("org.apache.felix.org.apache.felix.threaddump", Org_Periodapache_Periodfelix_Periodorg_Periodapache_Periodfelix_Periodthreaddump);
URI.Add_Param ("org.apache.felix.webconsole.plugins.ds", Org_Periodapache_Periodfelix_Periodwebconsole_Periodplugins_Periodds);
URI.Add_Param ("org.apache.felix.webconsole.plugins.event", Org_Periodapache_Periodfelix_Periodwebconsole_Periodplugins_Periodevent);
URI.Add_Param ("org.apache.felix.webconsole.plugins.memoryusage", Org_Periodapache_Periodfelix_Periodwebconsole_Periodplugins_Periodmemoryusage);
URI.Add_Param ("org.apache.felix.webconsole.plugins.packageadmin", Org_Periodapache_Periodfelix_Periodwebconsole_Periodplugins_Periodpackageadmin);
URI.Add_Param ("org.apache.jackrabbit.oak-auth-ldap", Org_Periodapache_Periodjackrabbit_Periodoak_Auth_Ldap);
URI.Add_Param ("org.apache.jackrabbit.oak-segment-tar", Org_Periodapache_Periodjackrabbit_Periodoak_Segment_Tar);
URI.Add_Param ("org.apache.jackrabbit.oak-solr-osgi", Org_Periodapache_Periodjackrabbit_Periodoak_Solr_Osgi);
URI.Add_Param ("org.apache.sling.bundleresource.impl", Org_Periodapache_Periodsling_Periodbundleresource_Periodimpl);
URI.Add_Param ("org.apache.sling.commons.fsclassloader", Org_Periodapache_Periodsling_Periodcommons_Periodfsclassloader);
URI.Add_Param ("org.apache.sling.commons.log.webconsole", Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodwebconsole);
URI.Add_Param ("org.apache.sling.datasource", Org_Periodapache_Periodsling_Perioddatasource);
URI.Add_Param ("org.apache.sling.discovery.base", Org_Periodapache_Periodsling_Perioddiscovery_Periodbase);
URI.Add_Param ("org.apache.sling.discovery.oak", Org_Periodapache_Periodsling_Perioddiscovery_Periodoak);
URI.Add_Param ("org.apache.sling.discovery.support", Org_Periodapache_Periodsling_Perioddiscovery_Periodsupport);
URI.Add_Param ("org.apache.sling.distribution.api", Org_Periodapache_Periodsling_Perioddistribution_Periodapi);
URI.Add_Param ("org.apache.sling.distribution.core", Org_Periodapache_Periodsling_Perioddistribution_Periodcore);
URI.Add_Param ("org.apache.sling.extensions.webconsolesecurityprovider", Org_Periodapache_Periodsling_Periodextensions_Periodwebconsolesecurityprovider);
URI.Add_Param ("org.apache.sling.hc.webconsole", Org_Periodapache_Periodsling_Periodhc_Periodwebconsole);
URI.Add_Param ("org.apache.sling.installer.console", Org_Periodapache_Periodsling_Periodinstaller_Periodconsole);
URI.Add_Param ("org.apache.sling.installer.provider.file", Org_Periodapache_Periodsling_Periodinstaller_Periodprovider_Periodfile);
URI.Add_Param ("org.apache.sling.installer.provider.jcr", Org_Periodapache_Periodsling_Periodinstaller_Periodprovider_Periodjcr);
URI.Add_Param ("org.apache.sling.jcr.davex", Org_Periodapache_Periodsling_Periodjcr_Perioddavex);
URI.Add_Param ("org.apache.sling.jcr.resourcesecurity", Org_Periodapache_Periodsling_Periodjcr_Periodresourcesecurity);
URI.Add_Param ("org.apache.sling.jmx.provider", Org_Periodapache_Periodsling_Periodjmx_Periodprovider);
URI.Add_Param ("org.apache.sling.launchpad.installer", Org_Periodapache_Periodsling_Periodlaunchpad_Periodinstaller);
URI.Add_Param ("org.apache.sling.models.impl", Org_Periodapache_Periodsling_Periodmodels_Periodimpl);
URI.Add_Param ("org.apache.sling.repoinit.parser", Org_Periodapache_Periodsling_Periodrepoinit_Periodparser);
URI.Add_Param ("org.apache.sling.resource.inventory", Org_Periodapache_Periodsling_Periodresource_Periodinventory);
URI.Add_Param ("org.apache.sling.resourceresolver", Org_Periodapache_Periodsling_Periodresourceresolver);
URI.Add_Param ("org.apache.sling.scripting.javascript", Org_Periodapache_Periodsling_Periodscripting_Periodjavascript);
URI.Add_Param ("org.apache.sling.scripting.jst", Org_Periodapache_Periodsling_Periodscripting_Periodjst);
URI.Add_Param ("org.apache.sling.scripting.sightly.js.provider", Org_Periodapache_Periodsling_Periodscripting_Periodsightly_Periodjs_Periodprovider);
URI.Add_Param ("org.apache.sling.scripting.sightly.models.provider", Org_Periodapache_Periodsling_Periodscripting_Periodsightly_Periodmodels_Periodprovider);
URI.Add_Param ("org.apache.sling.security", Org_Periodapache_Periodsling_Periodsecurity);
URI.Add_Param ("org.apache.sling.servlets.compat", Org_Periodapache_Periodsling_Periodservlets_Periodcompat);
URI.Add_Param ("org.apache.sling.servlets.get", Org_Periodapache_Periodsling_Periodservlets_Periodget);
URI.Add_Param ("org.apache.sling.startupfilter.disabler", Org_Periodapache_Periodsling_Periodstartupfilter_Perioddisabler);
URI.Add_Param ("org.apache.sling.tracer", Org_Periodapache_Periodsling_Periodtracer);
URI.Add_Param ("we.retail.client.app.core", We_Periodretail_Periodclient_Periodapp_Periodcore);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.apicontroller.FilterResolverHookFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Apicontroller_Filter_Resolver_Hook_Factory;
--
procedure Com_Adobe_Granite_Auth_Cert_Impl_Client_Cert_Auth_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Path : in Swagger.Nullable_UString;
Service_Periodranking : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeGraniteAuthCertImplClientCertAuthHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("path", Path);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.auth.cert.impl.ClientCertAuthHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Auth_Cert_Impl_Client_Cert_Auth_Handler;
--
procedure Com_Adobe_Granite_Auth_Ims
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Configid : in Swagger.Nullable_UString;
Scope : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteAuthImsInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("configid", Configid);
URI.Add_Param ("scope", Scope);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.auth.ims");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Auth_Ims;
--
procedure Com_Adobe_Granite_Auth_Ims_Impl_External_User_Id_Mapping_Provider_Extension
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Oauth_Periodprovider_Periodid : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteAuthImsImplExternalUserIdMappingProviderExtensionInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("oauth.provider.id", Oauth_Periodprovider_Periodid);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.auth.ims.impl.ExternalUserIdMappingProviderExtension");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Auth_Ims_Impl_External_User_Id_Mapping_Provider_Extension;
--
procedure Com_Adobe_Granite_Auth_Ims_Impl_I_M_S_Access_Token_Request_Customizer_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Auth_Periodims_Periodclient_Periodsecret : in Swagger.Nullable_UString;
Customizer_Periodtype : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteAuthImsImplIMSAccessTokenRequestCustomizerImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("auth.ims.client.secret", Auth_Periodims_Periodclient_Periodsecret);
URI.Add_Param ("customizer.type", Customizer_Periodtype);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.auth.ims.impl.IMSAccessTokenRequestCustomizerImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Auth_Ims_Impl_I_M_S_Access_Token_Request_Customizer_Impl;
--
procedure Com_Adobe_Granite_Auth_Ims_Impl_I_M_S_Instance_Credentials_Validator
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Oauth_Periodprovider_Periodid : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteAuthImsImplIMSInstanceCredentialsValidatorInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("oauth.provider.id", Oauth_Periodprovider_Periodid);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.auth.ims.impl.IMSInstanceCredentialsValidator");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Auth_Ims_Impl_I_M_S_Instance_Credentials_Validator;
--
procedure Com_Adobe_Granite_Auth_Ims_Impl_I_M_S_Provider_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Oauth_Periodprovider_Periodid : in Swagger.Nullable_UString;
Oauth_Periodprovider_Periodims_Periodauthorization_Periodurl : in Swagger.Nullable_UString;
Oauth_Periodprovider_Periodims_Periodtoken_Periodurl : in Swagger.Nullable_UString;
Oauth_Periodprovider_Periodims_Periodprofile_Periodurl : in Swagger.Nullable_UString;
Oauth_Periodprovider_Periodims_Periodextended_Perioddetails_Periodurls : in Swagger.UString_Vectors.Vector;
Oauth_Periodprovider_Periodims_Periodvalidate_Periodtoken_Periodurl : in Swagger.Nullable_UString;
Oauth_Periodprovider_Periodims_Periodsession_Periodproperty : in Swagger.Nullable_UString;
Oauth_Periodprovider_Periodims_Periodservice_Periodtoken_Periodclient_Periodid : in Swagger.Nullable_UString;
Oauth_Periodprovider_Periodims_Periodservice_Periodtoken_Periodclient_Periodsecret : in Swagger.Nullable_UString;
Oauth_Periodprovider_Periodims_Periodservice_Periodtoken : in Swagger.Nullable_UString;
Ims_Periodorg_Periodref : in Swagger.Nullable_UString;
Ims_Periodgroup_Periodmapping : in Swagger.UString_Vectors.Vector;
Oauth_Periodprovider_Periodims_Periodonly_Periodlicense_Periodgroup : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeGraniteAuthImsImplIMSProviderImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("oauth.provider.id", Oauth_Periodprovider_Periodid);
URI.Add_Param ("oauth.provider.ims.authorization.url", Oauth_Periodprovider_Periodims_Periodauthorization_Periodurl);
URI.Add_Param ("oauth.provider.ims.token.url", Oauth_Periodprovider_Periodims_Periodtoken_Periodurl);
URI.Add_Param ("oauth.provider.ims.profile.url", Oauth_Periodprovider_Periodims_Periodprofile_Periodurl);
URI.Add_Param ("oauth.provider.ims.extended.details.urls", Oauth_Periodprovider_Periodims_Periodextended_Perioddetails_Periodurls);
URI.Add_Param ("oauth.provider.ims.validate.token.url", Oauth_Periodprovider_Periodims_Periodvalidate_Periodtoken_Periodurl);
URI.Add_Param ("oauth.provider.ims.session.property", Oauth_Periodprovider_Periodims_Periodsession_Periodproperty);
URI.Add_Param ("oauth.provider.ims.service.token.client.id", Oauth_Periodprovider_Periodims_Periodservice_Periodtoken_Periodclient_Periodid);
URI.Add_Param ("oauth.provider.ims.service.token.client.secret", Oauth_Periodprovider_Periodims_Periodservice_Periodtoken_Periodclient_Periodsecret);
URI.Add_Param ("oauth.provider.ims.service.token", Oauth_Periodprovider_Periodims_Periodservice_Periodtoken);
URI.Add_Param ("ims.org.ref", Ims_Periodorg_Periodref);
URI.Add_Param ("ims.group.mapping", Ims_Periodgroup_Periodmapping);
URI.Add_Param ("oauth.provider.ims.only.license.group", Oauth_Periodprovider_Periodims_Periodonly_Periodlicense_Periodgroup);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.auth.ims.impl.IMSProviderImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Auth_Ims_Impl_I_M_S_Provider_Impl;
--
procedure Com_Adobe_Granite_Auth_Ims_Impl_Ims_Config_Provider_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Oauth_Periodconfigmanager_Periodims_Periodconfigid : in Swagger.Nullable_UString;
Ims_Periodowning_Entity : in Swagger.Nullable_UString;
Aem_Periodinstance_Id : in Swagger.Nullable_UString;
Ims_Periodservice_Code : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteAuthImsImplImsConfigProviderImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("oauth.configmanager.ims.configid", Oauth_Periodconfigmanager_Periodims_Periodconfigid);
URI.Add_Param ("ims.owningEntity", Ims_Periodowning_Entity);
URI.Add_Param ("aem.instanceId", Aem_Periodinstance_Id);
URI.Add_Param ("ims.serviceCode", Ims_Periodservice_Code);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.auth.ims.impl.ImsConfigProviderImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Auth_Ims_Impl_Ims_Config_Provider_Impl;
--
procedure Com_Adobe_Granite_Auth_Oauth_Accesstoken_Provider
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Name : in Swagger.Nullable_UString;
Auth_Periodtoken_Periodprovider_Periodtitle : in Swagger.Nullable_UString;
Auth_Periodtoken_Periodprovider_Perioddefault_Periodclaims : in Swagger.UString_Vectors.Vector;
Auth_Periodtoken_Periodprovider_Periodendpoint : in Swagger.Nullable_UString;
Auth_Periodaccess_Periodtoken_Periodrequest : in Swagger.Nullable_UString;
Auth_Periodtoken_Periodprovider_Periodkeypair_Periodalias : in Swagger.Nullable_UString;
Auth_Periodtoken_Periodprovider_Periodconn_Periodtimeout : in Swagger.Nullable_Integer;
Auth_Periodtoken_Periodprovider_Periodso_Periodtimeout : in Swagger.Nullable_Integer;
Auth_Periodtoken_Periodprovider_Periodclient_Periodid : in Swagger.Nullable_UString;
Auth_Periodtoken_Periodprovider_Periodscope : in Swagger.Nullable_UString;
Auth_Periodtoken_Periodprovider_Periodreuse_Periodaccess_Periodtoken : in Swagger.Nullable_Boolean;
Auth_Periodtoken_Periodprovider_Periodrelaxed_Periodssl : in Swagger.Nullable_Boolean;
Token_Periodrequest_Periodcustomizer_Periodtype : in Swagger.Nullable_UString;
Auth_Periodtoken_Periodvalidator_Periodtype : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteAuthOauthAccesstokenProviderInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("name", Name);
URI.Add_Param ("auth.token.provider.title", Auth_Periodtoken_Periodprovider_Periodtitle);
URI.Add_Param ("auth.token.provider.default.claims", Auth_Periodtoken_Periodprovider_Perioddefault_Periodclaims);
URI.Add_Param ("auth.token.provider.endpoint", Auth_Periodtoken_Periodprovider_Periodendpoint);
URI.Add_Param ("auth.access.token.request", Auth_Periodaccess_Periodtoken_Periodrequest);
URI.Add_Param ("auth.token.provider.keypair.alias", Auth_Periodtoken_Periodprovider_Periodkeypair_Periodalias);
URI.Add_Param ("auth.token.provider.conn.timeout", Auth_Periodtoken_Periodprovider_Periodconn_Periodtimeout);
URI.Add_Param ("auth.token.provider.so.timeout", Auth_Periodtoken_Periodprovider_Periodso_Periodtimeout);
URI.Add_Param ("auth.token.provider.client.id", Auth_Periodtoken_Periodprovider_Periodclient_Periodid);
URI.Add_Param ("auth.token.provider.scope", Auth_Periodtoken_Periodprovider_Periodscope);
URI.Add_Param ("auth.token.provider.reuse.access.token", Auth_Periodtoken_Periodprovider_Periodreuse_Periodaccess_Periodtoken);
URI.Add_Param ("auth.token.provider.relaxed.ssl", Auth_Periodtoken_Periodprovider_Periodrelaxed_Periodssl);
URI.Add_Param ("token.request.customizer.type", Token_Periodrequest_Periodcustomizer_Periodtype);
URI.Add_Param ("auth.token.validator.type", Auth_Periodtoken_Periodvalidator_Periodtype);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.auth.oauth.accesstoken.provider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Auth_Oauth_Accesstoken_Provider;
--
procedure Com_Adobe_Granite_Auth_Oauth_Impl_Bearer_Authentication_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Path : in Swagger.Nullable_UString;
Oauth_Periodclient_Ids_Periodallowed : in Swagger.UString_Vectors.Vector;
Auth_Periodbearer_Periodsync_Periodims : in Swagger.Nullable_Boolean;
Auth_Periodtoken_Request_Parameter : in Swagger.Nullable_UString;
Oauth_Periodbearer_Periodconfigid : in Swagger.Nullable_UString;
Oauth_Periodjwt_Periodsupport : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeGraniteAuthOauthImplBearerAuthenticationHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("path", Path);
URI.Add_Param ("oauth.clientIds.allowed", Oauth_Periodclient_Ids_Periodallowed);
URI.Add_Param ("auth.bearer.sync.ims", Auth_Periodbearer_Periodsync_Periodims);
URI.Add_Param ("auth.tokenRequestParameter", Auth_Periodtoken_Request_Parameter);
URI.Add_Param ("oauth.bearer.configid", Oauth_Periodbearer_Periodconfigid);
URI.Add_Param ("oauth.jwt.support", Oauth_Periodjwt_Periodsupport);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.auth.oauth.impl.BearerAuthenticationHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Auth_Oauth_Impl_Bearer_Authentication_Handler;
--
procedure Com_Adobe_Granite_Auth_Oauth_Impl_Default_Token_Validator_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Auth_Periodtoken_Periodvalidator_Periodtype : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteAuthOauthImplDefaultTokenValidatorImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("auth.token.validator.type", Auth_Periodtoken_Periodvalidator_Periodtype);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.auth.oauth.impl.DefaultTokenValidatorImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Auth_Oauth_Impl_Default_Token_Validator_Impl;
--
procedure Com_Adobe_Granite_Auth_Oauth_Impl_Facebook_Provider_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Oauth_Periodprovider_Periodid : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteAuthOauthImplFacebookProviderImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("oauth.provider.id", Oauth_Periodprovider_Periodid);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.auth.oauth.impl.FacebookProviderImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Auth_Oauth_Impl_Facebook_Provider_Impl;
--
procedure Com_Adobe_Granite_Auth_Oauth_Impl_Github_Provider_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Oauth_Periodprovider_Periodid : in Swagger.Nullable_UString;
Oauth_Periodprovider_Periodgithub_Periodauthorization_Periodurl : in Swagger.Nullable_UString;
Oauth_Periodprovider_Periodgithub_Periodtoken_Periodurl : in Swagger.Nullable_UString;
Oauth_Periodprovider_Periodgithub_Periodprofile_Periodurl : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteAuthOauthImplGithubProviderImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("oauth.provider.id", Oauth_Periodprovider_Periodid);
URI.Add_Param ("oauth.provider.github.authorization.url", Oauth_Periodprovider_Periodgithub_Periodauthorization_Periodurl);
URI.Add_Param ("oauth.provider.github.token.url", Oauth_Periodprovider_Periodgithub_Periodtoken_Periodurl);
URI.Add_Param ("oauth.provider.github.profile.url", Oauth_Periodprovider_Periodgithub_Periodprofile_Periodurl);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.auth.oauth.impl.GithubProviderImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Auth_Oauth_Impl_Github_Provider_Impl;
--
procedure Com_Adobe_Granite_Auth_Oauth_Impl_Granite_Provider
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Oauth_Periodprovider_Periodid : in Swagger.Nullable_UString;
Oauth_Periodprovider_Periodgranite_Periodauthorization_Periodurl : in Swagger.Nullable_UString;
Oauth_Periodprovider_Periodgranite_Periodtoken_Periodurl : in Swagger.Nullable_UString;
Oauth_Periodprovider_Periodgranite_Periodprofile_Periodurl : in Swagger.Nullable_UString;
Oauth_Periodprovider_Periodgranite_Periodextended_Perioddetails_Periodurls : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteAuthOauthImplGraniteProviderInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("oauth.provider.id", Oauth_Periodprovider_Periodid);
URI.Add_Param ("oauth.provider.granite.authorization.url", Oauth_Periodprovider_Periodgranite_Periodauthorization_Periodurl);
URI.Add_Param ("oauth.provider.granite.token.url", Oauth_Periodprovider_Periodgranite_Periodtoken_Periodurl);
URI.Add_Param ("oauth.provider.granite.profile.url", Oauth_Periodprovider_Periodgranite_Periodprofile_Periodurl);
URI.Add_Param ("oauth.provider.granite.extended.details.urls", Oauth_Periodprovider_Periodgranite_Periodextended_Perioddetails_Periodurls);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.auth.oauth.impl.GraniteProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Auth_Oauth_Impl_Granite_Provider;
--
procedure Com_Adobe_Granite_Auth_Oauth_Impl_Helper_Provider_Config_Manager
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Oauth_Periodcookie_Periodlogin_Periodtimeout : in Swagger.Nullable_UString;
Oauth_Periodcookie_Periodmax_Periodage : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteAuthOauthImplHelperProviderConfigManagerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("oauth.cookie.login.timeout", Oauth_Periodcookie_Periodlogin_Periodtimeout);
URI.Add_Param ("oauth.cookie.max.age", Oauth_Periodcookie_Periodmax_Periodage);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.auth.oauth.impl.helper.ProviderConfigManager");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Auth_Oauth_Impl_Helper_Provider_Config_Manager;
--
procedure Com_Adobe_Granite_Auth_Oauth_Impl_Helper_Provider_Config_Manager_Internal
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Oauth_Periodcookie_Periodlogin_Periodtimeout : in Swagger.Nullable_UString;
Oauth_Periodcookie_Periodmax_Periodage : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteAuthOauthImplHelperProviderConfigManagerInternalInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("oauth.cookie.login.timeout", Oauth_Periodcookie_Periodlogin_Periodtimeout);
URI.Add_Param ("oauth.cookie.max.age", Oauth_Periodcookie_Periodmax_Periodage);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.auth.oauth.impl.helper.ProviderConfigManagerInternal");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Auth_Oauth_Impl_Helper_Provider_Config_Manager_Internal;
--
procedure Com_Adobe_Granite_Auth_Oauth_Impl_O_Auth_Authentication_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Path : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteAuthOauthImplOAuthAuthenticationHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("path", Path);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.auth.oauth.impl.OAuthAuthenticationHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Auth_Oauth_Impl_O_Auth_Authentication_Handler;
--
procedure Com_Adobe_Granite_Auth_Oauth_Impl_Twitter_Provider_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Oauth_Periodprovider_Periodid : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteAuthOauthImplTwitterProviderImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("oauth.provider.id", Oauth_Periodprovider_Periodid);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.auth.oauth.impl.TwitterProviderImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Auth_Oauth_Impl_Twitter_Provider_Impl;
--
procedure Com_Adobe_Granite_Auth_Oauth_Provider
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Oauth_Periodconfig_Periodid : in Swagger.Nullable_UString;
Oauth_Periodclient_Periodid : in Swagger.Nullable_UString;
Oauth_Periodclient_Periodsecret : in Swagger.Nullable_UString;
Oauth_Periodscope : in Swagger.UString_Vectors.Vector;
Oauth_Periodconfig_Periodprovider_Periodid : in Swagger.Nullable_UString;
Oauth_Periodcreate_Periodusers : in Swagger.Nullable_Boolean;
Oauth_Perioduserid_Periodproperty : in Swagger.Nullable_UString;
Force_Periodstrict_Periodusername_Periodmatching : in Swagger.Nullable_Boolean;
Oauth_Periodencode_Perioduserids : in Swagger.Nullable_Boolean;
Oauth_Periodhash_Perioduserids : in Swagger.Nullable_Boolean;
Oauth_Periodcall_Back_Url : in Swagger.Nullable_UString;
Oauth_Periodaccess_Periodtoken_Periodpersist : in Swagger.Nullable_Boolean;
Oauth_Periodaccess_Periodtoken_Periodpersist_Periodcookie : in Swagger.Nullable_Boolean;
Oauth_Periodcsrf_Periodstate_Periodprotection : in Swagger.Nullable_Boolean;
Oauth_Periodredirect_Periodrequest_Periodparams : in Swagger.Nullable_Boolean;
Oauth_Periodconfig_Periodsiblings_Periodallow : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeGraniteAuthOauthProviderInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("oauth.config.id", Oauth_Periodconfig_Periodid);
URI.Add_Param ("oauth.client.id", Oauth_Periodclient_Periodid);
URI.Add_Param ("oauth.client.secret", Oauth_Periodclient_Periodsecret);
URI.Add_Param ("oauth.scope", Oauth_Periodscope);
URI.Add_Param ("oauth.config.provider.id", Oauth_Periodconfig_Periodprovider_Periodid);
URI.Add_Param ("oauth.create.users", Oauth_Periodcreate_Periodusers);
URI.Add_Param ("oauth.userid.property", Oauth_Perioduserid_Periodproperty);
URI.Add_Param ("force.strict.username.matching", Force_Periodstrict_Periodusername_Periodmatching);
URI.Add_Param ("oauth.encode.userids", Oauth_Periodencode_Perioduserids);
URI.Add_Param ("oauth.hash.userids", Oauth_Periodhash_Perioduserids);
URI.Add_Param ("oauth.callBackUrl", Oauth_Periodcall_Back_Url);
URI.Add_Param ("oauth.access.token.persist", Oauth_Periodaccess_Periodtoken_Periodpersist);
URI.Add_Param ("oauth.access.token.persist.cookie", Oauth_Periodaccess_Periodtoken_Periodpersist_Periodcookie);
URI.Add_Param ("oauth.csrf.state.protection", Oauth_Periodcsrf_Periodstate_Periodprotection);
URI.Add_Param ("oauth.redirect.request.params", Oauth_Periodredirect_Periodrequest_Periodparams);
URI.Add_Param ("oauth.config.siblings.allow", Oauth_Periodconfig_Periodsiblings_Periodallow);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.auth.oauth.provider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Auth_Oauth_Provider;
--
procedure Com_Adobe_Granite_Auth_Requirement_Impl_Default_Requirement_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Supported_Paths : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteAuthRequirementImplDefaultRequirementHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("supportedPaths", Supported_Paths);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.auth.requirement.impl.DefaultRequirementHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Auth_Requirement_Impl_Default_Requirement_Handler;
--
procedure Com_Adobe_Granite_Auth_Saml_Saml_Authentication_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Path : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Idp_Url : in Swagger.Nullable_UString;
Idp_Cert_Alias : in Swagger.Nullable_UString;
Idp_Http_Redirect : in Swagger.Nullable_Boolean;
Service_Provider_Entity_Id : in Swagger.Nullable_UString;
Assertion_Consumer_Service_U_R_L : in Swagger.Nullable_UString;
Sp_Private_Key_Alias : in Swagger.Nullable_UString;
Key_Store_Password : in Swagger.Nullable_UString;
Default_Redirect_Url : in Swagger.Nullable_UString;
User_I_D_Attribute : in Swagger.Nullable_UString;
Use_Encryption : in Swagger.Nullable_Boolean;
Create_User : in Swagger.Nullable_Boolean;
User_Intermediate_Path : in Swagger.Nullable_UString;
Add_Group_Memberships : in Swagger.Nullable_Boolean;
Group_Membership_Attribute : in Swagger.Nullable_UString;
Default_Groups : in Swagger.UString_Vectors.Vector;
Name_Id_Format : in Swagger.Nullable_UString;
Synchronize_Attributes : in Swagger.UString_Vectors.Vector;
Handle_Logout : in Swagger.Nullable_Boolean;
Logout_Url : in Swagger.Nullable_UString;
Clock_Tolerance : in Swagger.Nullable_Integer;
Digest_Method : in Swagger.Nullable_UString;
Signature_Method : in Swagger.Nullable_UString;
Identity_Sync_Type : in Swagger.Nullable_UString;
Idp_Identifier : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteAuthSamlSamlAuthenticationHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("path", Path);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("idpUrl", Idp_Url);
URI.Add_Param ("idpCertAlias", Idp_Cert_Alias);
URI.Add_Param ("idpHttpRedirect", Idp_Http_Redirect);
URI.Add_Param ("serviceProviderEntityId", Service_Provider_Entity_Id);
URI.Add_Param ("assertionConsumerServiceURL", Assertion_Consumer_Service_U_R_L);
URI.Add_Param ("spPrivateKeyAlias", Sp_Private_Key_Alias);
URI.Add_Param ("keyStorePassword", Key_Store_Password);
URI.Add_Param ("defaultRedirectUrl", Default_Redirect_Url);
URI.Add_Param ("userIDAttribute", User_I_D_Attribute);
URI.Add_Param ("useEncryption", Use_Encryption);
URI.Add_Param ("createUser", Create_User);
URI.Add_Param ("userIntermediatePath", User_Intermediate_Path);
URI.Add_Param ("addGroupMemberships", Add_Group_Memberships);
URI.Add_Param ("groupMembershipAttribute", Group_Membership_Attribute);
URI.Add_Param ("defaultGroups", Default_Groups);
URI.Add_Param ("nameIdFormat", Name_Id_Format);
URI.Add_Param ("synchronizeAttributes", Synchronize_Attributes);
URI.Add_Param ("handleLogout", Handle_Logout);
URI.Add_Param ("logoutUrl", Logout_Url);
URI.Add_Param ("clockTolerance", Clock_Tolerance);
URI.Add_Param ("digestMethod", Digest_Method);
URI.Add_Param ("signatureMethod", Signature_Method);
URI.Add_Param ("identitySyncType", Identity_Sync_Type);
URI.Add_Param ("idpIdentifier", Idp_Identifier);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.auth.saml.SamlAuthenticationHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Auth_Saml_Saml_Authentication_Handler;
--
procedure Com_Adobe_Granite_Auth_Sso_Impl_Sso_Authentication_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Path : in Swagger.Nullable_UString;
Service_Periodranking : in Swagger.Nullable_Integer;
Jaas_Periodcontrol_Flag : in Swagger.Nullable_UString;
Jaas_Periodrealm_Name : in Swagger.Nullable_UString;
Jaas_Periodranking : in Swagger.Nullable_Integer;
Headers : in Swagger.UString_Vectors.Vector;
Cookies : in Swagger.UString_Vectors.Vector;
Parameters : in Swagger.UString_Vectors.Vector;
Usermap : in Swagger.UString_Vectors.Vector;
Format : in Swagger.Nullable_UString;
Trusted_Credentials_Attribute : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteAuthSsoImplSsoAuthenticationHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("path", Path);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("jaas.controlFlag", Jaas_Periodcontrol_Flag);
URI.Add_Param ("jaas.realmName", Jaas_Periodrealm_Name);
URI.Add_Param ("jaas.ranking", Jaas_Periodranking);
URI.Add_Param ("headers", Headers);
URI.Add_Param ("cookies", Cookies);
URI.Add_Param ("parameters", Parameters);
URI.Add_Param ("usermap", Usermap);
URI.Add_Param ("format", Format);
URI.Add_Param ("trustedCredentialsAttribute", Trusted_Credentials_Attribute);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.auth.sso.impl.SsoAuthenticationHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Auth_Sso_Impl_Sso_Authentication_Handler;
--
procedure Com_Adobe_Granite_Bundles_Hc_Impl_Code_Cache_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Minimum_Periodcode_Periodcache_Periodsize : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeGraniteBundlesHcImplCodeCacheHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Add_Param ("minimum.code.cache.size", Minimum_Periodcode_Periodcache_Periodsize);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.bundles.hc.impl.CodeCacheHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Bundles_Hc_Impl_Code_Cache_Health_Check;
--
procedure Com_Adobe_Granite_Bundles_Hc_Impl_Crxde_Support_Bundle_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteBundlesHcImplCrxdeSupportBundleHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.bundles.hc.impl.CrxdeSupportBundleHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Bundles_Hc_Impl_Crxde_Support_Bundle_Health_Check;
--
procedure Com_Adobe_Granite_Bundles_Hc_Impl_Dav_Ex_Bundle_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteBundlesHcImplDavExBundleHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.bundles.hc.impl.DavExBundleHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Bundles_Hc_Impl_Dav_Ex_Bundle_Health_Check;
--
procedure Com_Adobe_Granite_Bundles_Hc_Impl_Inactive_Bundles_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Ignored_Periodbundles : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteBundlesHcImplInactiveBundlesHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Add_Param ("ignored.bundles", Ignored_Periodbundles);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.bundles.hc.impl.InactiveBundlesHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Bundles_Hc_Impl_Inactive_Bundles_Health_Check;
--
procedure Com_Adobe_Granite_Bundles_Hc_Impl_Jobs_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Max_Periodqueued_Periodjobs : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeGraniteBundlesHcImplJobsHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Add_Param ("max.queued.jobs", Max_Periodqueued_Periodjobs);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.bundles.hc.impl.JobsHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Bundles_Hc_Impl_Jobs_Health_Check;
--
procedure Com_Adobe_Granite_Bundles_Hc_Impl_Sling_Get_Servlet_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteBundlesHcImplSlingGetServletHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.bundles.hc.impl.SlingGetServletHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Bundles_Hc_Impl_Sling_Get_Servlet_Health_Check;
--
procedure Com_Adobe_Granite_Bundles_Hc_Impl_Sling_Java_Script_Handler_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteBundlesHcImplSlingJavaScriptHandlerHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.bundles.hc.impl.SlingJavaScriptHandlerHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Bundles_Hc_Impl_Sling_Java_Script_Handler_Health_Check;
--
procedure Com_Adobe_Granite_Bundles_Hc_Impl_Sling_Jsp_Script_Handler_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteBundlesHcImplSlingJspScriptHandlerHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.bundles.hc.impl.SlingJspScriptHandlerHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Bundles_Hc_Impl_Sling_Jsp_Script_Handler_Health_Check;
--
procedure Com_Adobe_Granite_Bundles_Hc_Impl_Sling_Referrer_Filter_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteBundlesHcImplSlingReferrerFilterHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.bundles.hc.impl.SlingReferrerFilterHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Bundles_Hc_Impl_Sling_Referrer_Filter_Health_Check;
--
procedure Com_Adobe_Granite_Bundles_Hc_Impl_Web_Dav_Bundle_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteBundlesHcImplWebDavBundleHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.bundles.hc.impl.WebDavBundleHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Bundles_Hc_Impl_Web_Dav_Bundle_Health_Check;
--
procedure Com_Adobe_Granite_Comments_Internal_Comment_Replication_Content_Filter_Fac
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Replicate_Periodcomment_Periodresource_Types : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteCommentsInternalCommentReplicationContentFilterFacInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("replicate.comment.resourceTypes", Replicate_Periodcomment_Periodresource_Types);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.comments.internal.CommentReplicationContentFilterFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Comments_Internal_Comment_Replication_Content_Filter_Fac;
--
procedure Com_Adobe_Granite_Compatrouter_Impl_Compat_Switching_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Compatgroups : in Swagger.UString_Vectors.Vector;
Enabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeGraniteCompatrouterImplCompatSwitchingServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("compatgroups", Compatgroups);
URI.Add_Param ("enabled", Enabled);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.compatrouter.impl.CompatSwitchingServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Compatrouter_Impl_Compat_Switching_Service_Impl;
--
procedure Com_Adobe_Granite_Compatrouter_Impl_Routing_Config
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Id : in Swagger.Nullable_UString;
Compat_Path : in Swagger.Nullable_UString;
New_Path : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteCompatrouterImplRoutingConfigInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("id", Id);
URI.Add_Param ("compatPath", Compat_Path);
URI.Add_Param ("newPath", New_Path);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.compatrouter.impl.RoutingConfig");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Compatrouter_Impl_Routing_Config;
--
procedure Com_Adobe_Granite_Compatrouter_Impl_Switch_Mapping_Config
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Group : in Swagger.Nullable_UString;
Ids : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteCompatrouterImplSwitchMappingConfigInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("group", Group);
URI.Add_Param ("ids", Ids);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.compatrouter.impl.SwitchMappingConfig");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Compatrouter_Impl_Switch_Mapping_Config;
--
procedure Com_Adobe_Granite_Conf_Impl_Runtime_Aware_Configuration_Resource_Resolving
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Enabled : in Swagger.Nullable_Boolean;
Fallback_Paths : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteConfImplRuntimeAwareConfigurationResourceResolvingInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("enabled", Enabled);
URI.Add_Param ("fallbackPaths", Fallback_Paths);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.conf.impl.RuntimeAwareConfigurationResourceResolvingStrategy");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Conf_Impl_Runtime_Aware_Configuration_Resource_Resolving;
--
procedure Com_Adobe_Granite_Contexthub_Impl_Context_Hub_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Com_Periodadobe_Periodgranite_Periodcontexthub_Periodsilent_Mode : in Swagger.Nullable_Boolean;
Com_Periodadobe_Periodgranite_Periodcontexthub_Periodshow_Ui : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeGraniteContexthubImplContextHubImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("com.adobe.granite.contexthub.silent_mode", Com_Periodadobe_Periodgranite_Periodcontexthub_Periodsilent_Mode);
URI.Add_Param ("com.adobe.granite.contexthub.show_ui", Com_Periodadobe_Periodgranite_Periodcontexthub_Periodshow_Ui);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.contexthub.impl.ContextHubImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Contexthub_Impl_Context_Hub_Impl;
--
procedure Com_Adobe_Granite_Cors_Impl_C_O_R_S_Policy_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Alloworigin : in Swagger.UString_Vectors.Vector;
Alloworiginregexp : in Swagger.UString_Vectors.Vector;
Allowedpaths : in Swagger.UString_Vectors.Vector;
Exposedheaders : in Swagger.UString_Vectors.Vector;
Maxage : in Swagger.Nullable_Integer;
Supportedheaders : in Swagger.UString_Vectors.Vector;
Supportedmethods : in Swagger.UString_Vectors.Vector;
Supportscredentials : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeGraniteCorsImplCORSPolicyImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("alloworigin", Alloworigin);
URI.Add_Param ("alloworiginregexp", Alloworiginregexp);
URI.Add_Param ("allowedpaths", Allowedpaths);
URI.Add_Param ("exposedheaders", Exposedheaders);
URI.Add_Param ("maxage", Maxage);
URI.Add_Param ("supportedheaders", Supportedheaders);
URI.Add_Param ("supportedmethods", Supportedmethods);
URI.Add_Param ("supportscredentials", Supportscredentials);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.cors.impl.CORSPolicyImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Cors_Impl_C_O_R_S_Policy_Impl;
--
procedure Com_Adobe_Granite_Csrf_Impl_C_S_R_F_Filter
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Filter_Periodmethods : in Swagger.UString_Vectors.Vector;
Filter_Periodenable_Periodsafe_Perioduser_Periodagents : in Swagger.Nullable_Boolean;
Filter_Periodsafe_Perioduser_Periodagents : in Swagger.UString_Vectors.Vector;
Filter_Periodexcluded_Periodpaths : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteCsrfImplCSRFFilterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("filter.methods", Filter_Periodmethods);
URI.Add_Param ("filter.enable.safe.user.agents", Filter_Periodenable_Periodsafe_Perioduser_Periodagents);
URI.Add_Param ("filter.safe.user.agents", Filter_Periodsafe_Perioduser_Periodagents);
URI.Add_Param ("filter.excluded.paths", Filter_Periodexcluded_Periodpaths);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.csrf.impl.CSRFFilter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Csrf_Impl_C_S_R_F_Filter;
--
procedure Com_Adobe_Granite_Csrf_Impl_C_S_R_F_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Csrf_Periodtoken_Periodexpires_Periodin : in Swagger.Nullable_Integer;
Sling_Periodauth_Periodrequirements : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteCsrfImplCSRFServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("csrf.token.expires.in", Csrf_Periodtoken_Periodexpires_Periodin);
URI.Add_Param ("sling.auth.requirements", Sling_Periodauth_Periodrequirements);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.csrf.impl.CSRFServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Csrf_Impl_C_S_R_F_Servlet;
--
procedure Com_Adobe_Granite_Distribution_Core_Impl_Crypto_Distribution_Transport_Se
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Name : in Swagger.Nullable_UString;
Username : in Swagger.Nullable_UString;
Encrypted_Password : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteDistributionCoreImplCryptoDistributionTransportSeInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("name", Name);
URI.Add_Param ("username", Username);
URI.Add_Param ("encryptedPassword", Encrypted_Password);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.distribution.core.impl.CryptoDistributionTransportSecretProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Distribution_Core_Impl_Crypto_Distribution_Transport_Se;
--
procedure Com_Adobe_Granite_Distribution_Core_Impl_Diff_Diff_Changes_Observer
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Enabled : in Swagger.Nullable_Boolean;
Agent_Name : in Swagger.Nullable_UString;
Diff_Path : in Swagger.Nullable_UString;
Observed_Path : in Swagger.Nullable_UString;
Service_Name : in Swagger.Nullable_UString;
Property_Names : in Swagger.Nullable_UString;
Distribution_Delay : in Swagger.Nullable_Integer;
Service_User_Periodtarget : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteDistributionCoreImplDiffDiffChangesObserverInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("enabled", Enabled);
URI.Add_Param ("agentName", Agent_Name);
URI.Add_Param ("diffPath", Diff_Path);
URI.Add_Param ("observedPath", Observed_Path);
URI.Add_Param ("serviceName", Service_Name);
URI.Add_Param ("propertyNames", Property_Names);
URI.Add_Param ("distributionDelay", Distribution_Delay);
URI.Add_Param ("serviceUser.target", Service_User_Periodtarget);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.distribution.core.impl.diff.DiffChangesObserver");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Distribution_Core_Impl_Diff_Diff_Changes_Observer;
--
procedure Com_Adobe_Granite_Distribution_Core_Impl_Diff_Diff_Event_Listener
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Diff_Path : in Swagger.Nullable_UString;
Service_Name : in Swagger.Nullable_UString;
Service_User_Periodtarget : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteDistributionCoreImplDiffDiffEventListenerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("diffPath", Diff_Path);
URI.Add_Param ("serviceName", Service_Name);
URI.Add_Param ("serviceUser.target", Service_User_Periodtarget);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.distribution.core.impl.diff.DiffEventListener");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Distribution_Core_Impl_Diff_Diff_Event_Listener;
--
procedure Com_Adobe_Granite_Distribution_Core_Impl_Distribution_To_Replication_Even
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Importer_Periodname : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteDistributionCoreImplDistributionToReplicationEvenInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("importer.name", Importer_Periodname);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.distribution.core.impl.DistributionToReplicationEventTransformer");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Distribution_Core_Impl_Distribution_To_Replication_Even;
--
procedure Com_Adobe_Granite_Distribution_Core_Impl_Replication_Adapters_Replicat
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Provider_Name : in Swagger.Nullable_UString;
Forward_Periodrequests : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeGraniteDistributionCoreImplReplicationAdaptersReplicatInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("providerName", Provider_Name);
URI.Add_Param ("forward.requests", Forward_Periodrequests);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.distribution.core.impl.replication.adapters.ReplicationAgentProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Distribution_Core_Impl_Replication_Adapters_Replicat;
--
procedure Com_Adobe_Granite_Distribution_Core_Impl_Replication_Distribution_Trans
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Forward_Periodrequests : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeGraniteDistributionCoreImplReplicationDistributionTransInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("forward.requests", Forward_Periodrequests);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.distribution.core.impl.replication.DistributionTransportHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Distribution_Core_Impl_Replication_Distribution_Trans;
--
procedure Com_Adobe_Granite_Distribution_Core_Impl_Transport_Access_Token_Distribu
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Name : in Swagger.Nullable_UString;
Service_Name : in Swagger.Nullable_UString;
User_Id : in Swagger.Nullable_UString;
Access_Token_Provider_Periodtarget : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteDistributionCoreImplTransportAccessTokenDistribuInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("name", Name);
URI.Add_Param ("serviceName", Service_Name);
URI.Add_Param ("userId", User_Id);
URI.Add_Param ("accessTokenProvider.target", Access_Token_Provider_Periodtarget);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.distribution.core.impl.transport.AccessTokenDistributionTransportSecretProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Distribution_Core_Impl_Transport_Access_Token_Distribu;
--
procedure Com_Adobe_Granite_Frags_Impl_Check_Http_Header_Flag
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Feature_Periodname : in Swagger.Nullable_UString;
Feature_Perioddescription : in Swagger.Nullable_UString;
Http_Periodheader_Periodname : in Swagger.Nullable_UString;
Http_Periodheader_Periodvaluepattern : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteFragsImplCheckHttpHeaderFlagInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("feature.name", Feature_Periodname);
URI.Add_Param ("feature.description", Feature_Perioddescription);
URI.Add_Param ("http.header.name", Http_Periodheader_Periodname);
URI.Add_Param ("http.header.valuepattern", Http_Periodheader_Periodvaluepattern);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.frags.impl.CheckHttpHeaderFlag");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Frags_Impl_Check_Http_Header_Flag;
--
procedure Com_Adobe_Granite_Frags_Impl_Random_Feature
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Feature_Periodname : in Swagger.Nullable_UString;
Feature_Perioddescription : in Swagger.Nullable_UString;
Active_Periodpercentage : in Swagger.Nullable_UString;
Cookie_Periodname : in Swagger.Nullable_UString;
Cookie_Periodmax_Age : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeGraniteFragsImplRandomFeatureInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("feature.name", Feature_Periodname);
URI.Add_Param ("feature.description", Feature_Perioddescription);
URI.Add_Param ("active.percentage", Active_Periodpercentage);
URI.Add_Param ("cookie.name", Cookie_Periodname);
URI.Add_Param ("cookie.maxAge", Cookie_Periodmax_Age);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.frags.impl.RandomFeature");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Frags_Impl_Random_Feature;
--
procedure Com_Adobe_Granite_Httpcache_File_File_Cache_Store
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Com_Periodadobe_Periodgranite_Periodhttpcache_Periodfile_Perioddocument_Root : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodhttpcache_Periodfile_Periodinclude_Host : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteHttpcacheFileFileCacheStoreInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("com.adobe.granite.httpcache.file.documentRoot", Com_Periodadobe_Periodgranite_Periodhttpcache_Periodfile_Perioddocument_Root);
URI.Add_Param ("com.adobe.granite.httpcache.file.includeHost", Com_Periodadobe_Periodgranite_Periodhttpcache_Periodfile_Periodinclude_Host);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.httpcache.file.FileCacheStore");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Httpcache_File_File_Cache_Store;
--
procedure Com_Adobe_Granite_Httpcache_Impl_Outer_Cache_Filter
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Com_Periodadobe_Periodgranite_Periodhttpcache_Periodurl_Periodpaths : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteHttpcacheImplOuterCacheFilterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("com.adobe.granite.httpcache.url.paths", Com_Periodadobe_Periodgranite_Periodhttpcache_Periodurl_Periodpaths);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.httpcache.impl.OuterCacheFilter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Httpcache_Impl_Outer_Cache_Filter;
--
procedure Com_Adobe_Granite_I18n_Impl_Bundle_Pseudo_Translations
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Pseudo_Periodpatterns : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteI18nImplBundlePseudoTranslationsInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("pseudo.patterns", Pseudo_Periodpatterns);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.i18n.impl.bundle.PseudoTranslations");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_I18n_Impl_Bundle_Pseudo_Translations;
--
procedure Com_Adobe_Granite_I18n_Impl_Preferences_Locale_Resolver_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Security_Periodpreferences_Periodname : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteI18nImplPreferencesLocaleResolverServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("security.preferences.name", Security_Periodpreferences_Periodname);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.i18n.impl.PreferencesLocaleResolverService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_I18n_Impl_Preferences_Locale_Resolver_Service;
--
procedure Com_Adobe_Granite_Infocollector_Info_Collector
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Granite_Periodinfocollector_Periodinclude_Thread_Dumps : in Swagger.Nullable_Boolean;
Granite_Periodinfocollector_Periodinclude_Heap_Dump : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeGraniteInfocollectorInfoCollectorInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("granite.infocollector.includeThreadDumps", Granite_Periodinfocollector_Periodinclude_Thread_Dumps);
URI.Add_Param ("granite.infocollector.includeHeapDump", Granite_Periodinfocollector_Periodinclude_Heap_Dump);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.infocollector.InfoCollector");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Infocollector_Info_Collector;
--
procedure Com_Adobe_Granite_Jetty_Ssl_Internal_Granite_Ssl_Connector_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Com_Periodadobe_Periodgranite_Periodjetty_Periodssl_Periodport : in Swagger.Nullable_Integer;
Com_Periodadobe_Periodgranite_Periodjetty_Periodssl_Periodkeystore_Perioduser : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodjetty_Periodssl_Periodkeystore_Periodpassword : in Swagger.Nullable_UString;
Com_Periodadobe_Periodgranite_Periodjetty_Periodssl_Periodciphersuites_Periodexcluded : in Swagger.UString_Vectors.Vector;
Com_Periodadobe_Periodgranite_Periodjetty_Periodssl_Periodciphersuites_Periodincluded : in Swagger.UString_Vectors.Vector;
Com_Periodadobe_Periodgranite_Periodjetty_Periodssl_Periodclient_Periodcertificate : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteJettySslInternalGraniteSslConnectorFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("com.adobe.granite.jetty.ssl.port", Com_Periodadobe_Periodgranite_Periodjetty_Periodssl_Periodport);
URI.Add_Param ("com.adobe.granite.jetty.ssl.keystore.user", Com_Periodadobe_Periodgranite_Periodjetty_Periodssl_Periodkeystore_Perioduser);
URI.Add_Param ("com.adobe.granite.jetty.ssl.keystore.password", Com_Periodadobe_Periodgranite_Periodjetty_Periodssl_Periodkeystore_Periodpassword);
URI.Add_Param ("com.adobe.granite.jetty.ssl.ciphersuites.excluded", Com_Periodadobe_Periodgranite_Periodjetty_Periodssl_Periodciphersuites_Periodexcluded);
URI.Add_Param ("com.adobe.granite.jetty.ssl.ciphersuites.included", Com_Periodadobe_Periodgranite_Periodjetty_Periodssl_Periodciphersuites_Periodincluded);
URI.Add_Param ("com.adobe.granite.jetty.ssl.client.certificate", Com_Periodadobe_Periodgranite_Periodjetty_Periodssl_Periodclient_Periodcertificate);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.jetty.ssl.internal.GraniteSslConnectorFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Jetty_Ssl_Internal_Granite_Ssl_Connector_Factory;
--
procedure Com_Adobe_Granite_License_Impl_License_Check_Filter
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Check_Internval : in Swagger.Nullable_Integer;
Exclude_Ids : in Swagger.UString_Vectors.Vector;
Encrypt_Ping : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeGraniteLicenseImplLicenseCheckFilterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("checkInternval", Check_Internval);
URI.Add_Param ("excludeIds", Exclude_Ids);
URI.Add_Param ("encryptPing", Encrypt_Ping);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.license.impl.LicenseCheckFilter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_License_Impl_License_Check_Filter;
--
procedure Com_Adobe_Granite_Logging_Impl_Log_Analyser_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Messages_Periodqueue_Periodsize : in Swagger.Nullable_Integer;
Logger_Periodconfig : in Swagger.UString_Vectors.Vector;
Messages_Periodsize : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeGraniteLoggingImplLogAnalyserImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("messages.queue.size", Messages_Periodqueue_Periodsize);
URI.Add_Param ("logger.config", Logger_Periodconfig);
URI.Add_Param ("messages.size", Messages_Periodsize);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.logging.impl.LogAnalyserImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Logging_Impl_Log_Analyser_Impl;
--
procedure Com_Adobe_Granite_Logging_Impl_Log_Error_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteLoggingImplLogErrorHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.logging.impl.LogErrorHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Logging_Impl_Log_Error_Health_Check;
--
procedure Com_Adobe_Granite_Maintenance_Crx_Impl_Data_Store_Garbage_Collection_Task
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Granite_Periodmaintenance_Periodmandatory : in Swagger.Nullable_Boolean;
Job_Periodtopics : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteMaintenanceCrxImplDataStoreGarbageCollectionTaskInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("granite.maintenance.mandatory", Granite_Periodmaintenance_Periodmandatory);
URI.Add_Param ("job.topics", Job_Periodtopics);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.maintenance.crx.impl.DataStoreGarbageCollectionTask");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Maintenance_Crx_Impl_Data_Store_Garbage_Collection_Task;
--
procedure Com_Adobe_Granite_Maintenance_Crx_Impl_Lucene_Binaries_Cleanup_Task
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Job_Periodtopics : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteMaintenanceCrxImplLuceneBinariesCleanupTaskInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("job.topics", Job_Periodtopics);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.maintenance.crx.impl.LuceneBinariesCleanupTask");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Maintenance_Crx_Impl_Lucene_Binaries_Cleanup_Task;
--
procedure Com_Adobe_Granite_Maintenance_Crx_Impl_Revision_Cleanup_Task
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Full_Periodgc_Perioddays : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteMaintenanceCrxImplRevisionCleanupTaskInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("full.gc.days", Full_Periodgc_Perioddays);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.maintenance.crx.impl.RevisionCleanupTask");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Maintenance_Crx_Impl_Revision_Cleanup_Task;
--
procedure Com_Adobe_Granite_Monitoring_Impl_Script_Config_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Script_Periodfilename : in Swagger.Nullable_UString;
Script_Perioddisplay : in Swagger.Nullable_UString;
Script_Periodpath : in Swagger.Nullable_UString;
Script_Periodplatform : in Swagger.UString_Vectors.Vector;
Interval : in Swagger.Nullable_Integer;
Jmxdomain : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteMonitoringImplScriptConfigImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("script.filename", Script_Periodfilename);
URI.Add_Param ("script.display", Script_Perioddisplay);
URI.Add_Param ("script.path", Script_Periodpath);
URI.Add_Param ("script.platform", Script_Periodplatform);
URI.Add_Param ("interval", Interval);
URI.Add_Param ("jmxdomain", Jmxdomain);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.monitoring.impl.ScriptConfigImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Monitoring_Impl_Script_Config_Impl;
--
procedure Com_Adobe_Granite_Oauth_Server_Auth_Impl_O_Auth2_Server_Authentication_Han
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Path : in Swagger.Nullable_UString;
Jaas_Periodcontrol_Flag : in Swagger.Nullable_UString;
Jaas_Periodrealm_Name : in Swagger.Nullable_UString;
Jaas_Periodranking : in Swagger.Nullable_Integer;
Oauth_Periodoffline_Periodvalidation : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeGraniteOauthServerAuthImplOAuth2ServerAuthenticationHanInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("path", Path);
URI.Add_Param ("jaas.controlFlag", Jaas_Periodcontrol_Flag);
URI.Add_Param ("jaas.realmName", Jaas_Periodrealm_Name);
URI.Add_Param ("jaas.ranking", Jaas_Periodranking);
URI.Add_Param ("oauth.offline.validation", Oauth_Periodoffline_Periodvalidation);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.oauth.server.auth.impl.OAuth2ServerAuthenticationHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Oauth_Server_Auth_Impl_O_Auth2_Server_Authentication_Han;
--
procedure Com_Adobe_Granite_Oauth_Server_Impl_Access_Token_Cleanup_Task
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Scheduler_Periodexpression : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteOauthServerImplAccessTokenCleanupTaskInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("scheduler.expression", Scheduler_Periodexpression);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.oauth.server.impl.AccessTokenCleanupTask");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Oauth_Server_Impl_Access_Token_Cleanup_Task;
--
procedure Com_Adobe_Granite_Oauth_Server_Impl_O_Auth2_Client_Revocation_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Oauth_Periodclient_Periodrevocation_Periodactive : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeGraniteOauthServerImplOAuth2ClientRevocationServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("oauth.client.revocation.active", Oauth_Periodclient_Periodrevocation_Periodactive);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.oauth.server.impl.OAuth2ClientRevocationServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Oauth_Server_Impl_O_Auth2_Client_Revocation_Servlet;
--
procedure Com_Adobe_Granite_Oauth_Server_Impl_O_Auth2_Revocation_Endpoint_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Sling_Periodservlet_Periodpaths : in Swagger.Nullable_UString;
Oauth_Periodrevocation_Periodactive : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeGraniteOauthServerImplOAuth2RevocationEndpointServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("sling.servlet.paths", Sling_Periodservlet_Periodpaths);
URI.Add_Param ("oauth.revocation.active", Oauth_Periodrevocation_Periodactive);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.oauth.server.impl.OAuth2RevocationEndpointServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Oauth_Server_Impl_O_Auth2_Revocation_Endpoint_Servlet;
--
procedure Com_Adobe_Granite_Oauth_Server_Impl_O_Auth2_Token_Endpoint_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Oauth_Periodissuer : in Swagger.Nullable_UString;
Oauth_Periodaccess_Periodtoken_Periodexpires_Periodin : in Swagger.Nullable_UString;
Osgi_Periodhttp_Periodwhiteboard_Periodservlet_Periodpattern : in Swagger.Nullable_UString;
Osgi_Periodhttp_Periodwhiteboard_Periodcontext_Periodselect : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteOauthServerImplOAuth2TokenEndpointServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("oauth.issuer", Oauth_Periodissuer);
URI.Add_Param ("oauth.access.token.expires.in", Oauth_Periodaccess_Periodtoken_Periodexpires_Periodin);
URI.Add_Param ("osgi.http.whiteboard.servlet.pattern", Osgi_Periodhttp_Periodwhiteboard_Periodservlet_Periodpattern);
URI.Add_Param ("osgi.http.whiteboard.context.select", Osgi_Periodhttp_Periodwhiteboard_Periodcontext_Periodselect);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.oauth.server.impl.OAuth2TokenEndpointServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Oauth_Server_Impl_O_Auth2_Token_Endpoint_Servlet;
--
procedure Com_Adobe_Granite_Oauth_Server_Impl_O_Auth2_Token_Revocation_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Oauth_Periodtoken_Periodrevocation_Periodactive : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeGraniteOauthServerImplOAuth2TokenRevocationServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("oauth.token.revocation.active", Oauth_Periodtoken_Periodrevocation_Periodactive);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.oauth.server.impl.OAuth2TokenRevocationServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Oauth_Server_Impl_O_Auth2_Token_Revocation_Servlet;
--
procedure Com_Adobe_Granite_Offloading_Impl_Offloading_Configurator
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Offloading_Periodtransporter : in Swagger.Nullable_UString;
Offloading_Periodcleanup_Periodpayload : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeGraniteOffloadingImplOffloadingConfiguratorInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("offloading.transporter", Offloading_Periodtransporter);
URI.Add_Param ("offloading.cleanup.payload", Offloading_Periodcleanup_Periodpayload);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.offloading.impl.OffloadingConfigurator");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Offloading_Impl_Offloading_Configurator;
--
procedure Com_Adobe_Granite_Offloading_Impl_Offloading_Job_Cloner
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Offloading_Periodjobcloner_Periodenabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeGraniteOffloadingImplOffloadingJobClonerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("offloading.jobcloner.enabled", Offloading_Periodjobcloner_Periodenabled);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.offloading.impl.OffloadingJobCloner");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Offloading_Impl_Offloading_Job_Cloner;
--
procedure Com_Adobe_Granite_Offloading_Impl_Offloading_Job_Offloader
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Offloading_Periodoffloader_Periodenabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeGraniteOffloadingImplOffloadingJobOffloaderInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("offloading.offloader.enabled", Offloading_Periodoffloader_Periodenabled);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.offloading.impl.OffloadingJobOffloader");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Offloading_Impl_Offloading_Job_Offloader;
--
procedure Com_Adobe_Granite_Offloading_Impl_Transporter_Offloading_Agent_Manager
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Offloading_Periodagentmanager_Periodenabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeGraniteOffloadingImplTransporterOffloadingAgentManagerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("offloading.agentmanager.enabled", Offloading_Periodagentmanager_Periodenabled);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.offloading.impl.transporter.OffloadingAgentManager");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Offloading_Impl_Transporter_Offloading_Agent_Manager;
--
procedure Com_Adobe_Granite_Offloading_Impl_Transporter_Offloading_Default_Transpo
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Default_Periodtransport_Periodagent_To_Worker_Periodprefix : in Swagger.Nullable_UString;
Default_Periodtransport_Periodagent_To_Master_Periodprefix : in Swagger.Nullable_UString;
Default_Periodtransport_Periodinput_Periodpackage : in Swagger.Nullable_UString;
Default_Periodtransport_Periodoutput_Periodpackage : in Swagger.Nullable_UString;
Default_Periodtransport_Periodreplication_Periodsynchronous : in Swagger.Nullable_Boolean;
Default_Periodtransport_Periodcontentpackage : in Swagger.Nullable_Boolean;
Offloading_Periodtransporter_Perioddefault_Periodenabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeGraniteOffloadingImplTransporterOffloadingDefaultTranspoInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("default.transport.agent-to-worker.prefix", Default_Periodtransport_Periodagent_To_Worker_Periodprefix);
URI.Add_Param ("default.transport.agent-to-master.prefix", Default_Periodtransport_Periodagent_To_Master_Periodprefix);
URI.Add_Param ("default.transport.input.package", Default_Periodtransport_Periodinput_Periodpackage);
URI.Add_Param ("default.transport.output.package", Default_Periodtransport_Periodoutput_Periodpackage);
URI.Add_Param ("default.transport.replication.synchronous", Default_Periodtransport_Periodreplication_Periodsynchronous);
URI.Add_Param ("default.transport.contentpackage", Default_Periodtransport_Periodcontentpackage);
URI.Add_Param ("offloading.transporter.default.enabled", Offloading_Periodtransporter_Perioddefault_Periodenabled);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.offloading.impl.transporter.OffloadingDefaultTransporter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Offloading_Impl_Transporter_Offloading_Default_Transpo;
--
procedure Com_Adobe_Granite_Omnisearch_Impl_Core_Omni_Search_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Omnisearch_Periodsuggestion_Periodrequiretext_Periodmin : in Swagger.Nullable_Integer;
Omnisearch_Periodsuggestion_Periodspellcheck_Periodrequire : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeGraniteOmnisearchImplCoreOmniSearchServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("omnisearch.suggestion.requiretext.min", Omnisearch_Periodsuggestion_Periodrequiretext_Periodmin);
URI.Add_Param ("omnisearch.suggestion.spellcheck.require", Omnisearch_Periodsuggestion_Periodspellcheck_Periodrequire);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.omnisearch.impl.core.OmniSearchServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Omnisearch_Impl_Core_Omni_Search_Service_Impl;
--
procedure Com_Adobe_Granite_Optout_Impl_Opt_Out_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Optout_Periodcookies : in Swagger.UString_Vectors.Vector;
Optout_Periodheaders : in Swagger.UString_Vectors.Vector;
Optout_Periodwhitelist_Periodcookies : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteOptoutImplOptOutServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("optout.cookies", Optout_Periodcookies);
URI.Add_Param ("optout.headers", Optout_Periodheaders);
URI.Add_Param ("optout.whitelist.cookies", Optout_Periodwhitelist_Periodcookies);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.optout.impl.OptOutServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Optout_Impl_Opt_Out_Service_Impl;
--
procedure Com_Adobe_Granite_Queries_Impl_Hc_Async_Index_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Indexing_Periodcritical_Periodthreshold : in Swagger.Nullable_Integer;
Indexing_Periodwarn_Periodthreshold : in Swagger.Nullable_Integer;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteQueriesImplHcAsyncIndexHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("indexing.critical.threshold", Indexing_Periodcritical_Periodthreshold);
URI.Add_Param ("indexing.warn.threshold", Indexing_Periodwarn_Periodthreshold);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.queries.impl.hc.AsyncIndexHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Queries_Impl_Hc_Async_Index_Health_Check;
--
procedure Com_Adobe_Granite_Queries_Impl_Hc_Large_Index_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Large_Periodindex_Periodcritical_Periodthreshold : in Swagger.Nullable_Integer;
Large_Periodindex_Periodwarn_Periodthreshold : in Swagger.Nullable_Integer;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteQueriesImplHcLargeIndexHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("large.index.critical.threshold", Large_Periodindex_Periodcritical_Periodthreshold);
URI.Add_Param ("large.index.warn.threshold", Large_Periodindex_Periodwarn_Periodthreshold);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.queries.impl.hc.LargeIndexHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Queries_Impl_Hc_Large_Index_Health_Check;
--
procedure Com_Adobe_Granite_Queries_Impl_Hc_Queries_Status_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteQueriesImplHcQueriesStatusHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.queries.impl.hc.QueriesStatusHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Queries_Impl_Hc_Queries_Status_Health_Check;
--
procedure Com_Adobe_Granite_Queries_Impl_Hc_Query_Health_Check_Metrics
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Get_Period : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeGraniteQueriesImplHcQueryHealthCheckMetricsInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("getPeriod", Get_Period);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.queries.impl.hc.QueryHealthCheckMetrics");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Queries_Impl_Hc_Query_Health_Check_Metrics;
--
procedure Com_Adobe_Granite_Queries_Impl_Hc_Query_Limits_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteQueriesImplHcQueryLimitsHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.queries.impl.hc.QueryLimitsHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Queries_Impl_Hc_Query_Limits_Health_Check;
--
procedure Com_Adobe_Granite_Replication_Hc_Impl_Replication_Queue_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Number_Periodof_Periodretries_Periodallowed : in Swagger.Nullable_Integer;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteReplicationHcImplReplicationQueueHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("number.of.retries.allowed", Number_Periodof_Periodretries_Periodallowed);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.replication.hc.impl.ReplicationQueueHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Replication_Hc_Impl_Replication_Queue_Health_Check;
--
procedure Com_Adobe_Granite_Replication_Hc_Impl_Replication_Transport_Users_Health_C
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteReplicationHcImplReplicationTransportUsersHealthCInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.replication.hc.impl.ReplicationTransportUsersHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Replication_Hc_Impl_Replication_Transport_Users_Health_C;
--
procedure Com_Adobe_Granite_Repository_Hc_Impl_Authorizable_Node_Name_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteRepositoryHcImplAuthorizableNodeNameHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.repository.hc.impl.AuthorizableNodeNameHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Repository_Hc_Impl_Authorizable_Node_Name_Health_Check;
--
procedure Com_Adobe_Granite_Repository_Hc_Impl_Content_Sling_Sling_Content_Health_C
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Exclude_Periodsearch_Periodpath : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteRepositoryHcImplContentSlingSlingContentHealthCInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Add_Param ("exclude.search.path", Exclude_Periodsearch_Periodpath);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.repository.hc.impl.content.sling.SlingContentHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Repository_Hc_Impl_Content_Sling_Sling_Content_Health_C;
--
procedure Com_Adobe_Granite_Repository_Hc_Impl_Continuous_R_G_C_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteRepositoryHcImplContinuousRGCHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.repository.hc.impl.ContinuousRGCHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Repository_Hc_Impl_Continuous_R_G_C_Health_Check;
--
procedure Com_Adobe_Granite_Repository_Hc_Impl_Default_Access_User_Profile_Health_Che
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteRepositoryHcImplDefaultAccessUserProfileHealthCheInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.repository.hc.impl.DefaultAccessUserProfileHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Repository_Hc_Impl_Default_Access_User_Profile_Health_Che;
--
procedure Com_Adobe_Granite_Repository_Hc_Impl_Default_Logins_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Account_Periodlogins : in Swagger.UString_Vectors.Vector;
Console_Periodlogins : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteRepositoryHcImplDefaultLoginsHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Add_Param ("account.logins", Account_Periodlogins);
URI.Add_Param ("console.logins", Console_Periodlogins);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.repository.hc.impl.DefaultLoginsHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Repository_Hc_Impl_Default_Logins_Health_Check;
--
procedure Com_Adobe_Granite_Repository_Hc_Impl_Disk_Space_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Disk_Periodspace_Periodwarn_Periodthreshold : in Swagger.Nullable_Integer;
Disk_Periodspace_Perioderror_Periodthreshold : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeGraniteRepositoryHcImplDiskSpaceHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Add_Param ("disk.space.warn.threshold", Disk_Periodspace_Periodwarn_Periodthreshold);
URI.Add_Param ("disk.space.error.threshold", Disk_Periodspace_Perioderror_Periodthreshold);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.repository.hc.impl.DiskSpaceHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Repository_Hc_Impl_Disk_Space_Health_Check;
--
procedure Com_Adobe_Granite_Repository_Hc_Impl_Observation_Queue_Length_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteRepositoryHcImplObservationQueueLengthHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.repository.hc.impl.ObservationQueueLengthHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Repository_Hc_Impl_Observation_Queue_Length_Health_Check;
--
procedure Com_Adobe_Granite_Repository_Impl_Commit_Stats_Config
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Enabled : in Swagger.Nullable_Boolean;
Interval_Seconds : in Swagger.Nullable_Integer;
Commits_Per_Interval_Threshold : in Swagger.Nullable_Integer;
Max_Location_Length : in Swagger.Nullable_Integer;
Max_Details_Shown : in Swagger.Nullable_Integer;
Min_Details_Percentage : in Swagger.Nullable_Integer;
Thread_Matchers : in Swagger.UString_Vectors.Vector;
Max_Greedy_Depth : in Swagger.Nullable_Integer;
Greedy_Stack_Matchers : in Swagger.Nullable_UString;
Stack_Filters : in Swagger.UString_Vectors.Vector;
Stack_Matchers : in Swagger.UString_Vectors.Vector;
Stack_Categorizers : in Swagger.UString_Vectors.Vector;
Stack_Shorteners : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteRepositoryImplCommitStatsConfigInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("enabled", Enabled);
URI.Add_Param ("intervalSeconds", Interval_Seconds);
URI.Add_Param ("commitsPerIntervalThreshold", Commits_Per_Interval_Threshold);
URI.Add_Param ("maxLocationLength", Max_Location_Length);
URI.Add_Param ("maxDetailsShown", Max_Details_Shown);
URI.Add_Param ("minDetailsPercentage", Min_Details_Percentage);
URI.Add_Param ("threadMatchers", Thread_Matchers);
URI.Add_Param ("maxGreedyDepth", Max_Greedy_Depth);
URI.Add_Param ("greedyStackMatchers", Greedy_Stack_Matchers);
URI.Add_Param ("stackFilters", Stack_Filters);
URI.Add_Param ("stackMatchers", Stack_Matchers);
URI.Add_Param ("stackCategorizers", Stack_Categorizers);
URI.Add_Param ("stackShorteners", Stack_Shorteners);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.repository.impl.CommitStatsConfig");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Repository_Impl_Commit_Stats_Config;
--
procedure Com_Adobe_Granite_Repository_Service_User_Configuration
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Serviceusers_Periodsimple_Subject_Population : in Swagger.Nullable_Boolean;
Serviceusers_Periodlist : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteRepositoryServiceUserConfigurationInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("serviceusers.simpleSubjectPopulation", Serviceusers_Periodsimple_Subject_Population);
URI.Add_Param ("serviceusers.list", Serviceusers_Periodlist);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.repository.ServiceUserConfiguration");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Repository_Service_User_Configuration;
--
procedure Com_Adobe_Granite_Requests_Logging_Impl_Hc_Requests_Status_Health_Check_Im
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteRequestsLoggingImplHcRequestsStatusHealthCheckImInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.requests.logging.impl.hc.RequestsStatusHealthCheckImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Requests_Logging_Impl_Hc_Requests_Status_Health_Check_Im;
--
procedure Com_Adobe_Granite_Resourcestatus_Impl_Composite_Status_Type
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Name : in Swagger.Nullable_UString;
Types : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteResourcestatusImplCompositeStatusTypeInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("name", Name);
URI.Add_Param ("types", Types);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.resourcestatus.impl.CompositeStatusType");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Resourcestatus_Impl_Composite_Status_Type;
--
procedure Com_Adobe_Granite_Resourcestatus_Impl_Status_Resource_Provider_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Provider_Periodroot : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteResourcestatusImplStatusResourceProviderImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("provider.root", Provider_Periodroot);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.resourcestatus.impl.StatusResourceProviderImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Resourcestatus_Impl_Status_Resource_Provider_Impl;
--
procedure Com_Adobe_Granite_Rest_Assets_Impl_Asset_Content_Disposition_Filter
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Mime_Periodallow_Empty : in Swagger.Nullable_Boolean;
Mime_Periodallowed : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteRestAssetsImplAssetContentDispositionFilterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("mime.allowEmpty", Mime_Periodallow_Empty);
URI.Add_Param ("mime.allowed", Mime_Periodallowed);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.rest.assets.impl.AssetContentDispositionFilter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Rest_Assets_Impl_Asset_Content_Disposition_Filter;
--
procedure Com_Adobe_Granite_Rest_Impl_Api_Endpoint_Resource_Provider_Factory_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Provider_Periodroots : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteRestImplApiEndpointResourceProviderFactoryImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("provider.roots", Provider_Periodroots);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.rest.impl.ApiEndpointResourceProviderFactoryImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Rest_Impl_Api_Endpoint_Resource_Provider_Factory_Impl;
--
procedure Com_Adobe_Granite_Rest_Impl_Servlet_Default_G_E_T_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Default_Periodlimit : in Swagger.Nullable_Integer;
Use_Periodabsolute_Perioduri : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeGraniteRestImplServletDefaultGETServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("default.limit", Default_Periodlimit);
URI.Add_Param ("use.absolute.uri", Use_Periodabsolute_Perioduri);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.rest.impl.servlet.DefaultGETServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Rest_Impl_Servlet_Default_G_E_T_Servlet;
--
procedure Com_Adobe_Granite_Security_User_Ui_Internal_Servlets_S_S_L_Configuration_S
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteSecurityUserUiInternalServletsSSLConfigurationSInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.security.user.ui.internal.servlets.SSLConfigurationServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Security_User_Ui_Internal_Servlets_S_S_L_Configuration_S;
--
procedure Com_Adobe_Granite_Security_User_User_Properties_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Adapter_Periodcondition : in Swagger.Nullable_UString;
Granite_Perioduserproperties_Periodnodetypes : in Swagger.UString_Vectors.Vector;
Granite_Perioduserproperties_Periodresourcetypes : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteSecurityUserUserPropertiesServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("adapter.condition", Adapter_Periodcondition);
URI.Add_Param ("granite.userproperties.nodetypes", Granite_Perioduserproperties_Periodnodetypes);
URI.Add_Param ("granite.userproperties.resourcetypes", Granite_Perioduserproperties_Periodresourcetypes);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.security.user.UserPropertiesService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Security_User_User_Properties_Service;
--
procedure Com_Adobe_Granite_Socialgraph_Impl_Social_Graph_Factory_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Group2member_Periodrelationship_Periodoutgoing : in Swagger.Nullable_UString;
Group2member_Periodexcluded_Periodoutgoing : in Swagger.UString_Vectors.Vector;
Group2member_Periodrelationship_Periodincoming : in Swagger.Nullable_UString;
Group2member_Periodexcluded_Periodincoming : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteSocialgraphImplSocialGraphFactoryImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("group2member.relationship.outgoing", Group2member_Periodrelationship_Periodoutgoing);
URI.Add_Param ("group2member.excluded.outgoing", Group2member_Periodexcluded_Periodoutgoing);
URI.Add_Param ("group2member.relationship.incoming", Group2member_Periodrelationship_Periodincoming);
URI.Add_Param ("group2member.excluded.incoming", Group2member_Periodexcluded_Periodincoming);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.socialgraph.impl.SocialGraphFactoryImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Socialgraph_Impl_Social_Graph_Factory_Impl;
--
procedure Com_Adobe_Granite_System_Monitoring_Impl_System_Stats_M_Bean_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Scheduler_Periodexpression : in Swagger.Nullable_UString;
Jmx_Periodobjectname : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteSystemMonitoringImplSystemStatsMBeanImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("scheduler.expression", Scheduler_Periodexpression);
URI.Add_Param ("jmx.objectname", Jmx_Periodobjectname);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.system.monitoring.impl.SystemStatsMBeanImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_System_Monitoring_Impl_System_Stats_M_Bean_Impl;
--
procedure Com_Adobe_Granite_Taskmanagement_Impl_Jcr_Task_Adapter_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Adapter_Periodcondition : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteTaskmanagementImplJcrTaskAdapterFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("adapter.condition", Adapter_Periodcondition);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.taskmanagement.impl.jcr.TaskAdapterFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Taskmanagement_Impl_Jcr_Task_Adapter_Factory;
--
procedure Com_Adobe_Granite_Taskmanagement_Impl_Jcr_Task_Archive_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Archiving_Periodenabled : in Swagger.Nullable_Boolean;
Scheduler_Periodexpression : in Swagger.Nullable_UString;
Archive_Periodsince_Perioddays_Periodcompleted : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeGraniteTaskmanagementImplJcrTaskArchiveServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("archiving.enabled", Archiving_Periodenabled);
URI.Add_Param ("scheduler.expression", Scheduler_Periodexpression);
URI.Add_Param ("archive.since.days.completed", Archive_Periodsince_Perioddays_Periodcompleted);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.taskmanagement.impl.jcr.TaskArchiveService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Taskmanagement_Impl_Jcr_Task_Archive_Service;
--
procedure Com_Adobe_Granite_Taskmanagement_Impl_Purge_Task_Purge_Maintenance_Task
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Purge_Completed : in Swagger.Nullable_Boolean;
Completed_Age : in Swagger.Nullable_Integer;
Purge_Active : in Swagger.Nullable_Boolean;
Active_Age : in Swagger.Nullable_Integer;
Save_Threshold : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeGraniteTaskmanagementImplPurgeTaskPurgeMaintenanceTaskInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("purgeCompleted", Purge_Completed);
URI.Add_Param ("completedAge", Completed_Age);
URI.Add_Param ("purgeActive", Purge_Active);
URI.Add_Param ("activeAge", Active_Age);
URI.Add_Param ("saveThreshold", Save_Threshold);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.taskmanagement.impl.purge.TaskPurgeMaintenanceTask");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Taskmanagement_Impl_Purge_Task_Purge_Maintenance_Task;
--
procedure Com_Adobe_Granite_Taskmanagement_Impl_Service_Task_Manager_Adapter_Factor
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Adapter_Periodcondition : in Swagger.Nullable_UString;
Taskmanager_Periodadmingroups : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteTaskmanagementImplServiceTaskManagerAdapterFactorInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("adapter.condition", Adapter_Periodcondition);
URI.Add_Param ("taskmanager.admingroups", Taskmanager_Periodadmingroups);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.taskmanagement.impl.service.TaskManagerAdapterFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Taskmanagement_Impl_Service_Task_Manager_Adapter_Factor;
--
procedure Com_Adobe_Granite_Threaddump_Thread_Dump_Collector
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Scheduler_Periodperiod : in Swagger.Nullable_Integer;
Scheduler_Periodrun_On : in Swagger.Nullable_UString;
Granite_Periodthreaddump_Periodenabled : in Swagger.Nullable_Boolean;
Granite_Periodthreaddump_Perioddumps_Per_File : in Swagger.Nullable_Integer;
Granite_Periodthreaddump_Periodenable_Gzip_Compression : in Swagger.Nullable_Boolean;
Granite_Periodthreaddump_Periodenable_Directories_Compression : in Swagger.Nullable_Boolean;
Granite_Periodthreaddump_Periodenable_J_Stack : in Swagger.Nullable_Boolean;
Granite_Periodthreaddump_Periodmax_Backup_Days : in Swagger.Nullable_Integer;
Granite_Periodthreaddump_Periodbackup_Clean_Trigger : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteThreaddumpThreadDumpCollectorInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("scheduler.period", Scheduler_Periodperiod);
URI.Add_Param ("scheduler.runOn", Scheduler_Periodrun_On);
URI.Add_Param ("granite.threaddump.enabled", Granite_Periodthreaddump_Periodenabled);
URI.Add_Param ("granite.threaddump.dumpsPerFile", Granite_Periodthreaddump_Perioddumps_Per_File);
URI.Add_Param ("granite.threaddump.enableGzipCompression", Granite_Periodthreaddump_Periodenable_Gzip_Compression);
URI.Add_Param ("granite.threaddump.enableDirectoriesCompression", Granite_Periodthreaddump_Periodenable_Directories_Compression);
URI.Add_Param ("granite.threaddump.enableJStack", Granite_Periodthreaddump_Periodenable_J_Stack);
URI.Add_Param ("granite.threaddump.maxBackupDays", Granite_Periodthreaddump_Periodmax_Backup_Days);
URI.Add_Param ("granite.threaddump.backupCleanTrigger", Granite_Periodthreaddump_Periodbackup_Clean_Trigger);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.threaddump.ThreadDumpCollector");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Threaddump_Thread_Dump_Collector;
--
procedure Com_Adobe_Granite_Translation_Connector_Msft_Core_Impl_Microsoft_Transl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Translation_Factory : in Swagger.Nullable_UString;
Default_Connector_Label : in Swagger.Nullable_UString;
Default_Connector_Attribution : in Swagger.Nullable_UString;
Default_Connector_Workspace_Id : in Swagger.Nullable_UString;
Default_Connector_Subscription_Key : in Swagger.Nullable_UString;
Language_Map_Location : in Swagger.Nullable_UString;
Category_Map_Location : in Swagger.Nullable_UString;
Retry_Attempts : in Swagger.Nullable_Integer;
Timeout_Count : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeGraniteTranslationConnectorMsftCoreImplMicrosoftTranslInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("translationFactory", Translation_Factory);
URI.Add_Param ("defaultConnectorLabel", Default_Connector_Label);
URI.Add_Param ("defaultConnectorAttribution", Default_Connector_Attribution);
URI.Add_Param ("defaultConnectorWorkspaceId", Default_Connector_Workspace_Id);
URI.Add_Param ("defaultConnectorSubscriptionKey", Default_Connector_Subscription_Key);
URI.Add_Param ("languageMapLocation", Language_Map_Location);
URI.Add_Param ("categoryMapLocation", Category_Map_Location);
URI.Add_Param ("retryAttempts", Retry_Attempts);
URI.Add_Param ("timeoutCount", Timeout_Count);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.translation.connector.msft.core.impl.MicrosoftTranslationServiceFactoryImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Translation_Connector_Msft_Core_Impl_Microsoft_Transl;
--
procedure Com_Adobe_Granite_Translation_Core_Impl_Translation_Manager_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Default_Connector_Name : in Swagger.Nullable_UString;
Default_Category : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteTranslationCoreImplTranslationManagerImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("defaultConnectorName", Default_Connector_Name);
URI.Add_Param ("defaultCategory", Default_Category);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.translation.core.impl.TranslationManagerImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Translation_Core_Impl_Translation_Manager_Impl;
--
procedure Com_Adobe_Granite_Ui_Clientlibs_Impl_Html_Library_Manager_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Htmllibmanager_Periodtiming : in Swagger.Nullable_Boolean;
Htmllibmanager_Perioddebug_Periodinit_Periodjs : in Swagger.Nullable_UString;
Htmllibmanager_Periodminify : in Swagger.Nullable_Boolean;
Htmllibmanager_Perioddebug : in Swagger.Nullable_Boolean;
Htmllibmanager_Periodgzip : in Swagger.Nullable_Boolean;
Htmllibmanager_Periodmax_Data_Uri_Size : in Swagger.Nullable_Integer;
Htmllibmanager_Periodmaxage : in Swagger.Nullable_Integer;
Htmllibmanager_Periodforce_C_Q_Url_Info : in Swagger.Nullable_Boolean;
Htmllibmanager_Perioddefaultthemename : in Swagger.Nullable_UString;
Htmllibmanager_Perioddefaultuserthemename : in Swagger.Nullable_UString;
Htmllibmanager_Periodclientmanager : in Swagger.Nullable_UString;
Htmllibmanager_Periodpath_Periodlist : in Swagger.UString_Vectors.Vector;
Htmllibmanager_Periodexcluded_Periodpath_Periodlist : in Swagger.UString_Vectors.Vector;
Htmllibmanager_Periodprocessor_Periodjs : in Swagger.UString_Vectors.Vector;
Htmllibmanager_Periodprocessor_Periodcss : in Swagger.UString_Vectors.Vector;
Htmllibmanager_Periodlongcache_Periodpatterns : in Swagger.UString_Vectors.Vector;
Htmllibmanager_Periodlongcache_Periodformat : in Swagger.Nullable_UString;
Htmllibmanager_Perioduse_File_System_Output_Cache : in Swagger.Nullable_Boolean;
Htmllibmanager_Periodfile_System_Output_Cache_Location : in Swagger.Nullable_UString;
Htmllibmanager_Perioddisable_Periodreplacement : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComAdobeGraniteUiClientlibsImplHtmlLibraryManagerImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("htmllibmanager.timing", Htmllibmanager_Periodtiming);
URI.Add_Param ("htmllibmanager.debug.init.js", Htmllibmanager_Perioddebug_Periodinit_Periodjs);
URI.Add_Param ("htmllibmanager.minify", Htmllibmanager_Periodminify);
URI.Add_Param ("htmllibmanager.debug", Htmllibmanager_Perioddebug);
URI.Add_Param ("htmllibmanager.gzip", Htmllibmanager_Periodgzip);
URI.Add_Param ("htmllibmanager.maxDataUriSize", Htmllibmanager_Periodmax_Data_Uri_Size);
URI.Add_Param ("htmllibmanager.maxage", Htmllibmanager_Periodmaxage);
URI.Add_Param ("htmllibmanager.forceCQUrlInfo", Htmllibmanager_Periodforce_C_Q_Url_Info);
URI.Add_Param ("htmllibmanager.defaultthemename", Htmllibmanager_Perioddefaultthemename);
URI.Add_Param ("htmllibmanager.defaultuserthemename", Htmllibmanager_Perioddefaultuserthemename);
URI.Add_Param ("htmllibmanager.clientmanager", Htmllibmanager_Periodclientmanager);
URI.Add_Param ("htmllibmanager.path.list", Htmllibmanager_Periodpath_Periodlist);
URI.Add_Param ("htmllibmanager.excluded.path.list", Htmllibmanager_Periodexcluded_Periodpath_Periodlist);
URI.Add_Param ("htmllibmanager.processor.js", Htmllibmanager_Periodprocessor_Periodjs);
URI.Add_Param ("htmllibmanager.processor.css", Htmllibmanager_Periodprocessor_Periodcss);
URI.Add_Param ("htmllibmanager.longcache.patterns", Htmllibmanager_Periodlongcache_Periodpatterns);
URI.Add_Param ("htmllibmanager.longcache.format", Htmllibmanager_Periodlongcache_Periodformat);
URI.Add_Param ("htmllibmanager.useFileSystemOutputCache", Htmllibmanager_Perioduse_File_System_Output_Cache);
URI.Add_Param ("htmllibmanager.fileSystemOutputCacheLocation", Htmllibmanager_Periodfile_System_Output_Cache_Location);
URI.Add_Param ("htmllibmanager.disable.replacement", Htmllibmanager_Perioddisable_Periodreplacement);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.ui.clientlibs.impl.HtmlLibraryManagerImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Ui_Clientlibs_Impl_Html_Library_Manager_Impl;
--
procedure Com_Adobe_Granite_Workflow_Console_Frags_Workflow_Withdraw_Feature
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Enabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeGraniteWorkflowConsoleFragsWorkflowWithdrawFeatureInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("enabled", Enabled);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.workflow.console.frags.WorkflowWithdrawFeature");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Workflow_Console_Frags_Workflow_Withdraw_Feature;
--
procedure Com_Adobe_Granite_Workflow_Console_Publish_Workflow_Publish_Event_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Granite_Periodworkflow_Period_Workflow_Publish_Event_Service_Periodenabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeGraniteWorkflowConsolePublishWorkflowPublishEventServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("granite.workflow.WorkflowPublishEventService.enabled", Granite_Periodworkflow_Period_Workflow_Publish_Event_Service_Periodenabled);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.workflow.console.publish.WorkflowPublishEventService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Workflow_Console_Publish_Workflow_Publish_Event_Service;
--
procedure Com_Adobe_Granite_Workflow_Core_Jcr_Workflow_Bucket_Manager
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Bucket_Size : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeGraniteWorkflowCoreJcrWorkflowBucketManagerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("bucketSize", Bucket_Size);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.workflow.core.jcr.WorkflowBucketManager");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Workflow_Core_Jcr_Workflow_Bucket_Manager;
--
procedure Com_Adobe_Granite_Workflow_Core_Job_External_Process_Job_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Default_Periodtimeout : in Swagger.Nullable_Integer;
Max_Periodtimeout : in Swagger.Nullable_Integer;
Default_Periodperiod : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeGraniteWorkflowCoreJobExternalProcessJobHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("default.timeout", Default_Periodtimeout);
URI.Add_Param ("max.timeout", Max_Periodtimeout);
URI.Add_Param ("default.period", Default_Periodperiod);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.workflow.core.job.ExternalProcessJobHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Workflow_Core_Job_External_Process_Job_Handler;
--
procedure Com_Adobe_Granite_Workflow_Core_Job_Job_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Job_Periodtopics : in Swagger.UString_Vectors.Vector;
Allow_Periodself_Periodprocess_Periodtermination : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeGraniteWorkflowCoreJobJobHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("job.topics", Job_Periodtopics);
URI.Add_Param ("allow.self.process.termination", Allow_Periodself_Periodprocess_Periodtermination);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.workflow.core.job.JobHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Workflow_Core_Job_Job_Handler;
--
procedure Com_Adobe_Granite_Workflow_Core_Offloading_Workflow_Offloading_Job_Consum
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Job_Periodtopics : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteWorkflowCoreOffloadingWorkflowOffloadingJobConsumInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("job.topics", Job_Periodtopics);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.workflow.core.offloading.WorkflowOffloadingJobConsumer");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Workflow_Core_Offloading_Workflow_Offloading_Job_Consum;
--
procedure Com_Adobe_Granite_Workflow_Core_Payload_Map_Cache
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Get_System_Workflow_Models : in Swagger.UString_Vectors.Vector;
Get_Package_Root_Path : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeGraniteWorkflowCorePayloadMapCacheInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("getSystemWorkflowModels", Get_System_Workflow_Models);
URI.Add_Param ("getPackageRootPath", Get_Package_Root_Path);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.workflow.core.PayloadMapCache");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Workflow_Core_Payload_Map_Cache;
--
procedure Com_Adobe_Granite_Workflow_Core_Payloadmap_Payload_Move_Listener
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Payload_Periodmove_Periodwhite_Periodlist : in Swagger.UString_Vectors.Vector;
Payload_Periodmove_Periodhandle_Periodfrom_Periodworkflow_Periodprocess : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeGraniteWorkflowCorePayloadmapPayloadMoveListenerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("payload.move.white.list", Payload_Periodmove_Periodwhite_Periodlist);
URI.Add_Param ("payload.move.handle.from.workflow.process", Payload_Periodmove_Periodhandle_Periodfrom_Periodworkflow_Periodprocess);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.workflow.core.payloadmap.PayloadMoveListener");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Workflow_Core_Payloadmap_Payload_Move_Listener;
--
procedure Com_Adobe_Granite_Workflow_Core_Workflow_Config
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodworkflow_Periodconfig_Periodworkflow_Periodpackages_Periodroot_Periodpath : in Swagger.UString_Vectors.Vector;
Cq_Periodworkflow_Periodconfig_Periodworkflow_Periodprocess_Periodlegacy_Periodmode : in Swagger.Nullable_Boolean;
Cq_Periodworkflow_Periodconfig_Periodallow_Periodlocking : in Swagger.Nullable_Boolean;
Result : out .Models.ComAdobeGraniteWorkflowCoreWorkflowConfigInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.workflow.config.workflow.packages.root.path", Cq_Periodworkflow_Periodconfig_Periodworkflow_Periodpackages_Periodroot_Periodpath);
URI.Add_Param ("cq.workflow.config.workflow.process.legacy.mode", Cq_Periodworkflow_Periodconfig_Periodworkflow_Periodprocess_Periodlegacy_Periodmode);
URI.Add_Param ("cq.workflow.config.allow.locking", Cq_Periodworkflow_Periodconfig_Periodallow_Periodlocking);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.workflow.core.WorkflowConfig");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Workflow_Core_Workflow_Config;
--
procedure Com_Adobe_Granite_Workflow_Core_Workflow_Session_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Granite_Periodworkflowinbox_Periodsort_Periodproperty_Name : in Swagger.Nullable_UString;
Granite_Periodworkflowinbox_Periodsort_Periodorder : in Swagger.Nullable_UString;
Cq_Periodworkflow_Periodjob_Periodretry : in Swagger.Nullable_Integer;
Cq_Periodworkflow_Periodsuperuser : in Swagger.UString_Vectors.Vector;
Granite_Periodworkflow_Periodinbox_Query_Size : in Swagger.Nullable_Integer;
Granite_Periodworkflow_Periodadmin_User_Group_Filter : in Swagger.Nullable_Boolean;
Granite_Periodworkflow_Periodenforce_Workitem_Assignee_Permissions : in Swagger.Nullable_Boolean;
Granite_Periodworkflow_Periodenforce_Workflow_Initiator_Permissions : in Swagger.Nullable_Boolean;
Granite_Periodworkflow_Periodinject_Tenant_Id_In_Job_Topics : in Swagger.Nullable_Boolean;
Granite_Periodworkflow_Periodmax_Purge_Save_Threshold : in Swagger.Nullable_Integer;
Granite_Periodworkflow_Periodmax_Purge_Query_Count : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeGraniteWorkflowCoreWorkflowSessionFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("granite.workflowinbox.sort.propertyName", Granite_Periodworkflowinbox_Periodsort_Periodproperty_Name);
URI.Add_Param ("granite.workflowinbox.sort.order", Granite_Periodworkflowinbox_Periodsort_Periodorder);
URI.Add_Param ("cq.workflow.job.retry", Cq_Periodworkflow_Periodjob_Periodretry);
URI.Add_Param ("cq.workflow.superuser", Cq_Periodworkflow_Periodsuperuser);
URI.Add_Param ("granite.workflow.inboxQuerySize", Granite_Periodworkflow_Periodinbox_Query_Size);
URI.Add_Param ("granite.workflow.adminUserGroupFilter", Granite_Periodworkflow_Periodadmin_User_Group_Filter);
URI.Add_Param ("granite.workflow.enforceWorkitemAssigneePermissions", Granite_Periodworkflow_Periodenforce_Workitem_Assignee_Permissions);
URI.Add_Param ("granite.workflow.enforceWorkflowInitiatorPermissions", Granite_Periodworkflow_Periodenforce_Workflow_Initiator_Permissions);
URI.Add_Param ("granite.workflow.injectTenantIdInJobTopics", Granite_Periodworkflow_Periodinject_Tenant_Id_In_Job_Topics);
URI.Add_Param ("granite.workflow.maxPurgeSaveThreshold", Granite_Periodworkflow_Periodmax_Purge_Save_Threshold);
URI.Add_Param ("granite.workflow.maxPurgeQueryCount", Granite_Periodworkflow_Periodmax_Purge_Query_Count);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.workflow.core.WorkflowSessionFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Workflow_Core_Workflow_Session_Factory;
--
procedure Com_Adobe_Granite_Workflow_Purge_Scheduler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Scheduledpurge_Periodname : in Swagger.Nullable_UString;
Scheduledpurge_Periodworkflow_Status : in Swagger.Nullable_UString;
Scheduledpurge_Periodmodel_Ids : in Swagger.UString_Vectors.Vector;
Scheduledpurge_Perioddaysold : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeGraniteWorkflowPurgeSchedulerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("scheduledpurge.name", Scheduledpurge_Periodname);
URI.Add_Param ("scheduledpurge.workflowStatus", Scheduledpurge_Periodworkflow_Status);
URI.Add_Param ("scheduledpurge.modelIds", Scheduledpurge_Periodmodel_Ids);
URI.Add_Param ("scheduledpurge.daysold", Scheduledpurge_Perioddaysold);
URI.Set_Path ("/system/console/configMgr/com.adobe.granite.workflow.purge.Scheduler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Granite_Workflow_Purge_Scheduler;
--
procedure Com_Adobe_Octopus_Ncomm_Bootstrap
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Max_Connections : in Swagger.Nullable_Integer;
Max_Requests : in Swagger.Nullable_Integer;
Request_Timeout : in Swagger.Nullable_Integer;
Request_Retries : in Swagger.Nullable_Integer;
Launch_Timeout : in Swagger.Nullable_Integer;
Result : out .Models.ComAdobeOctopusNcommBootstrapInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("maxConnections", Max_Connections);
URI.Add_Param ("maxRequests", Max_Requests);
URI.Add_Param ("requestTimeout", Request_Timeout);
URI.Add_Param ("requestRetries", Request_Retries);
URI.Add_Param ("launchTimeout", Launch_Timeout);
URI.Set_Path ("/system/console/configMgr/com.adobe.octopus.ncomm.bootstrap");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Octopus_Ncomm_Bootstrap;
--
procedure Com_Adobe_Social_Integrations_Livefyre_User_Pingforpull_Impl_Ping_Pull_S
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Communities_Periodintegration_Periodlivefyre_Periodsling_Periodevent_Periodfilter : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeSocialIntegrationsLivefyreUserPingforpullImplPingPullSInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("communities.integration.livefyre.sling.event.filter", Communities_Periodintegration_Periodlivefyre_Periodsling_Periodevent_Periodfilter);
URI.Set_Path ("/system/console/configMgr/com.adobe.social.integrations.livefyre.user.pingforpull.impl.PingPullServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Social_Integrations_Livefyre_User_Pingforpull_Impl_Ping_Pull_S;
--
procedure Com_Adobe_Xmp_Worker_Files_Ncomm_X_M_P_Files_N_Comm
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Max_Connections : in Swagger.Nullable_UString;
Max_Requests : in Swagger.Nullable_UString;
Request_Timeout : in Swagger.Nullable_UString;
Log_Dir : in Swagger.Nullable_UString;
Result : out .Models.ComAdobeXmpWorkerFilesNcommXMPFilesNCommInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("maxConnections", Max_Connections);
URI.Add_Param ("maxRequests", Max_Requests);
URI.Add_Param ("requestTimeout", Request_Timeout);
URI.Add_Param ("logDir", Log_Dir);
URI.Set_Path ("/system/console/configMgr/com.adobe.xmp.worker.files.ncomm.XMPFilesNComm");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Adobe_Xmp_Worker_Files_Ncomm_X_M_P_Files_N_Comm;
--
procedure Com_Day_Commons_Datasource_Jdbcpool_Jdbc_Pool_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Jdbc_Perioddriver_Periodclass : in Swagger.Nullable_UString;
Jdbc_Periodconnection_Perioduri : in Swagger.Nullable_UString;
Jdbc_Periodusername : in Swagger.Nullable_UString;
Jdbc_Periodpassword : in Swagger.Nullable_UString;
Jdbc_Periodvalidation_Periodquery : in Swagger.Nullable_UString;
Default_Periodreadonly : in Swagger.Nullable_Boolean;
Default_Periodautocommit : in Swagger.Nullable_Boolean;
Pool_Periodsize : in Swagger.Nullable_Integer;
Pool_Periodmax_Periodwait_Periodmsec : in Swagger.Nullable_Integer;
Datasource_Periodname : in Swagger.Nullable_UString;
Datasource_Periodsvc_Periodproperties : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCommonsDatasourceJdbcpoolJdbcPoolServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("jdbc.driver.class", Jdbc_Perioddriver_Periodclass);
URI.Add_Param ("jdbc.connection.uri", Jdbc_Periodconnection_Perioduri);
URI.Add_Param ("jdbc.username", Jdbc_Periodusername);
URI.Add_Param ("jdbc.password", Jdbc_Periodpassword);
URI.Add_Param ("jdbc.validation.query", Jdbc_Periodvalidation_Periodquery);
URI.Add_Param ("default.readonly", Default_Periodreadonly);
URI.Add_Param ("default.autocommit", Default_Periodautocommit);
URI.Add_Param ("pool.size", Pool_Periodsize);
URI.Add_Param ("pool.max.wait.msec", Pool_Periodmax_Periodwait_Periodmsec);
URI.Add_Param ("datasource.name", Datasource_Periodname);
URI.Add_Param ("datasource.svc.properties", Datasource_Periodsvc_Periodproperties);
URI.Set_Path ("/system/console/configMgr/com.day.commons.datasource.jdbcpool.JdbcPoolService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Commons_Datasource_Jdbcpool_Jdbc_Pool_Service;
--
procedure Com_Day_Commons_Httpclient
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Proxy_Periodenabled : in Swagger.Nullable_Boolean;
Proxy_Periodhost : in Swagger.Nullable_UString;
Proxy_Perioduser : in Swagger.Nullable_UString;
Proxy_Periodpassword : in Swagger.Nullable_UString;
Proxy_Periodntlm_Periodhost : in Swagger.Nullable_UString;
Proxy_Periodntlm_Perioddomain : in Swagger.Nullable_UString;
Proxy_Periodexceptions : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCommonsHttpclientInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("proxy.enabled", Proxy_Periodenabled);
URI.Add_Param ("proxy.host", Proxy_Periodhost);
URI.Add_Param ("proxy.user", Proxy_Perioduser);
URI.Add_Param ("proxy.password", Proxy_Periodpassword);
URI.Add_Param ("proxy.ntlm.host", Proxy_Periodntlm_Periodhost);
URI.Add_Param ("proxy.ntlm.domain", Proxy_Periodntlm_Perioddomain);
URI.Add_Param ("proxy.exceptions", Proxy_Periodexceptions);
URI.Set_Path ("/system/console/configMgr/com.day.commons.httpclient");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Commons_Httpclient;
--
procedure Com_Day_Cq_Analytics_Impl_Store_Properties_Change_Listener
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodstore_Periodlistener_Periodadditional_Store_Paths : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqAnalyticsImplStorePropertiesChangeListenerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.store.listener.additionalStorePaths", Cq_Periodstore_Periodlistener_Periodadditional_Store_Paths);
URI.Set_Path ("/system/console/configMgr/com.day.cq.analytics.impl.StorePropertiesChangeListener");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Analytics_Impl_Store_Properties_Change_Listener;
--
procedure Com_Day_Cq_Analytics_Sitecatalyst_Impl_Exporter_Classifications_Exporte
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Allowed_Periodpaths : in Swagger.UString_Vectors.Vector;
Cq_Periodanalytics_Periodsaint_Periodexporter_Periodpagesize : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqAnalyticsSitecatalystImplExporterClassificationsExporteInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("allowed.paths", Allowed_Periodpaths);
URI.Add_Param ("cq.analytics.saint.exporter.pagesize", Cq_Periodanalytics_Periodsaint_Periodexporter_Periodpagesize);
URI.Set_Path ("/system/console/configMgr/com.day.cq.analytics.sitecatalyst.impl.exporter.ClassificationsExporter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Analytics_Sitecatalyst_Impl_Exporter_Classifications_Exporte;
--
procedure Com_Day_Cq_Analytics_Sitecatalyst_Impl_Importer_Report_Importer
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Report_Periodfetch_Periodattempts : in Swagger.Nullable_Integer;
Report_Periodfetch_Perioddelay : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqAnalyticsSitecatalystImplImporterReportImporterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("report.fetch.attempts", Report_Periodfetch_Periodattempts);
URI.Add_Param ("report.fetch.delay", Report_Periodfetch_Perioddelay);
URI.Set_Path ("/system/console/configMgr/com.day.cq.analytics.sitecatalyst.impl.importer.ReportImporter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Analytics_Sitecatalyst_Impl_Importer_Report_Importer;
--
procedure Com_Day_Cq_Analytics_Sitecatalyst_Impl_Sitecatalyst_Adapter_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodanalytics_Periodadapterfactory_Periodcontextstores : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqAnalyticsSitecatalystImplSitecatalystAdapterFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.analytics.adapterfactory.contextstores", Cq_Periodanalytics_Periodadapterfactory_Periodcontextstores);
URI.Set_Path ("/system/console/configMgr/com.day.cq.analytics.sitecatalyst.impl.SitecatalystAdapterFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Analytics_Sitecatalyst_Impl_Sitecatalyst_Adapter_Factory;
--
procedure Com_Day_Cq_Analytics_Sitecatalyst_Impl_Sitecatalyst_Http_Client_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodanalytics_Periodsitecatalyst_Periodservice_Perioddatacenter_Periodurl : in Swagger.UString_Vectors.Vector;
Devhostnamepatterns : in Swagger.UString_Vectors.Vector;
Connection_Periodtimeout : in Swagger.Nullable_Integer;
Socket_Periodtimeout : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqAnalyticsSitecatalystImplSitecatalystHttpClientImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.analytics.sitecatalyst.service.datacenter.url", Cq_Periodanalytics_Periodsitecatalyst_Periodservice_Perioddatacenter_Periodurl);
URI.Add_Param ("devhostnamepatterns", Devhostnamepatterns);
URI.Add_Param ("connection.timeout", Connection_Periodtimeout);
URI.Add_Param ("socket.timeout", Socket_Periodtimeout);
URI.Set_Path ("/system/console/configMgr/com.day.cq.analytics.sitecatalyst.impl.SitecatalystHttpClientImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Analytics_Sitecatalyst_Impl_Sitecatalyst_Http_Client_Impl;
--
procedure Com_Day_Cq_Analytics_Testandtarget_Impl_Account_Options_Updater
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodanalytics_Periodtestandtarget_Periodaccountoptionsupdater_Periodenabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqAnalyticsTestandtargetImplAccountOptionsUpdaterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.analytics.testandtarget.accountoptionsupdater.enabled", Cq_Periodanalytics_Periodtestandtarget_Periodaccountoptionsupdater_Periodenabled);
URI.Set_Path ("/system/console/configMgr/com.day.cq.analytics.testandtarget.impl.AccountOptionsUpdater");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Analytics_Testandtarget_Impl_Account_Options_Updater;
--
procedure Com_Day_Cq_Analytics_Testandtarget_Impl_Delete_Author_Activity_Listener
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodanalytics_Periodtestandtarget_Perioddeleteauthoractivitylistener_Periodenabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqAnalyticsTestandtargetImplDeleteAuthorActivityListenerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.analytics.testandtarget.deleteauthoractivitylistener.enabled", Cq_Periodanalytics_Periodtestandtarget_Perioddeleteauthoractivitylistener_Periodenabled);
URI.Set_Path ("/system/console/configMgr/com.day.cq.analytics.testandtarget.impl.DeleteAuthorActivityListener");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Analytics_Testandtarget_Impl_Delete_Author_Activity_Listener;
--
procedure Com_Day_Cq_Analytics_Testandtarget_Impl_Push_Author_Campaign_Page_Listener
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodanalytics_Periodtestandtarget_Periodpushauthorcampaignpagelistener_Periodenabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqAnalyticsTestandtargetImplPushAuthorCampaignPageListenerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.analytics.testandtarget.pushauthorcampaignpagelistener.enabled", Cq_Periodanalytics_Periodtestandtarget_Periodpushauthorcampaignpagelistener_Periodenabled);
URI.Set_Path ("/system/console/configMgr/com.day.cq.analytics.testandtarget.impl.PushAuthorCampaignPageListener");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Analytics_Testandtarget_Impl_Push_Author_Campaign_Page_Listener;
--
procedure Com_Day_Cq_Analytics_Testandtarget_Impl_Segment_Importer
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodanalytics_Periodtestandtarget_Periodsegmentimporter_Periodenabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqAnalyticsTestandtargetImplSegmentImporterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.analytics.testandtarget.segmentimporter.enabled", Cq_Periodanalytics_Periodtestandtarget_Periodsegmentimporter_Periodenabled);
URI.Set_Path ("/system/console/configMgr/com.day.cq.analytics.testandtarget.impl.SegmentImporter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Analytics_Testandtarget_Impl_Segment_Importer;
--
procedure Com_Day_Cq_Analytics_Testandtarget_Impl_Service_Web_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Endpoint_Uri : in Swagger.Nullable_UString;
Connection_Timeout : in Swagger.Nullable_Integer;
Socket_Timeout : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqAnalyticsTestandtargetImplServiceWebServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("endpointUri", Endpoint_Uri);
URI.Add_Param ("connectionTimeout", Connection_Timeout);
URI.Add_Param ("socketTimeout", Socket_Timeout);
URI.Set_Path ("/system/console/configMgr/com.day.cq.analytics.testandtarget.impl.service.WebServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Analytics_Testandtarget_Impl_Service_Web_Service_Impl;
--
procedure Com_Day_Cq_Analytics_Testandtarget_Impl_Servlets_Admin_Server_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Testandtarget_Periodendpoint_Periodurl : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqAnalyticsTestandtargetImplServletsAdminServerServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("testandtarget.endpoint.url", Testandtarget_Periodendpoint_Periodurl);
URI.Set_Path ("/system/console/configMgr/com.day.cq.analytics.testandtarget.impl.servlets.AdminServerServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Analytics_Testandtarget_Impl_Servlets_Admin_Server_Servlet;
--
procedure Com_Day_Cq_Analytics_Testandtarget_Impl_Testandtarget_Http_Client_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodanalytics_Periodtestandtarget_Periodapi_Periodurl : in Swagger.Nullable_UString;
Cq_Periodanalytics_Periodtestandtarget_Periodtimeout : in Swagger.Nullable_Integer;
Cq_Periodanalytics_Periodtestandtarget_Periodsockettimeout : in Swagger.Nullable_Integer;
Cq_Periodanalytics_Periodtestandtarget_Periodrecommendations_Periodurl_Periodreplace : in Swagger.Nullable_UString;
Cq_Periodanalytics_Periodtestandtarget_Periodrecommendations_Periodurl_Periodreplacewith : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqAnalyticsTestandtargetImplTestandtargetHttpClientImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.analytics.testandtarget.api.url", Cq_Periodanalytics_Periodtestandtarget_Periodapi_Periodurl);
URI.Add_Param ("cq.analytics.testandtarget.timeout", Cq_Periodanalytics_Periodtestandtarget_Periodtimeout);
URI.Add_Param ("cq.analytics.testandtarget.sockettimeout", Cq_Periodanalytics_Periodtestandtarget_Periodsockettimeout);
URI.Add_Param ("cq.analytics.testandtarget.recommendations.url.replace", Cq_Periodanalytics_Periodtestandtarget_Periodrecommendations_Periodurl_Periodreplace);
URI.Add_Param ("cq.analytics.testandtarget.recommendations.url.replacewith", Cq_Periodanalytics_Periodtestandtarget_Periodrecommendations_Periodurl_Periodreplacewith);
URI.Set_Path ("/system/console/configMgr/com.day.cq.analytics.testandtarget.impl.TestandtargetHttpClientImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Analytics_Testandtarget_Impl_Testandtarget_Http_Client_Impl;
--
procedure Com_Day_Cq_Auth_Impl_Cug_Cug_Support_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cug_Periodexempted_Periodprincipals : in Swagger.UString_Vectors.Vector;
Cug_Periodenabled : in Swagger.Nullable_Boolean;
Cug_Periodprincipals_Periodregex : in Swagger.Nullable_UString;
Cug_Periodprincipals_Periodreplacement : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqAuthImplCugCugSupportImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cug.exempted.principals", Cug_Periodexempted_Periodprincipals);
URI.Add_Param ("cug.enabled", Cug_Periodenabled);
URI.Add_Param ("cug.principals.regex", Cug_Periodprincipals_Periodregex);
URI.Add_Param ("cug.principals.replacement", Cug_Periodprincipals_Periodreplacement);
URI.Set_Path ("/system/console/configMgr/com.day.cq.auth.impl.cug.CugSupportImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Auth_Impl_Cug_Cug_Support_Impl;
--
procedure Com_Day_Cq_Auth_Impl_Login_Selector_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Path : in Swagger.Nullable_UString;
Service_Periodranking : in Swagger.Nullable_Integer;
Auth_Periodloginselector_Periodmappings : in Swagger.UString_Vectors.Vector;
Auth_Periodloginselector_Periodchangepw_Periodmappings : in Swagger.UString_Vectors.Vector;
Auth_Periodloginselector_Perioddefaultloginpage : in Swagger.Nullable_UString;
Auth_Periodloginselector_Perioddefaultchangepwpage : in Swagger.Nullable_UString;
Auth_Periodloginselector_Periodhandle : in Swagger.UString_Vectors.Vector;
Auth_Periodloginselector_Periodhandle_Periodall_Periodextensions : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqAuthImplLoginSelectorHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("path", Path);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("auth.loginselector.mappings", Auth_Periodloginselector_Periodmappings);
URI.Add_Param ("auth.loginselector.changepw.mappings", Auth_Periodloginselector_Periodchangepw_Periodmappings);
URI.Add_Param ("auth.loginselector.defaultloginpage", Auth_Periodloginselector_Perioddefaultloginpage);
URI.Add_Param ("auth.loginselector.defaultchangepwpage", Auth_Periodloginselector_Perioddefaultchangepwpage);
URI.Add_Param ("auth.loginselector.handle", Auth_Periodloginselector_Periodhandle);
URI.Add_Param ("auth.loginselector.handle.all.extensions", Auth_Periodloginselector_Periodhandle_Periodall_Periodextensions);
URI.Set_Path ("/system/console/configMgr/com.day.cq.auth.impl.LoginSelectorHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Auth_Impl_Login_Selector_Handler;
--
procedure Com_Day_Cq_Commons_Impl_Externalizer_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Externalizer_Perioddomains : in Swagger.UString_Vectors.Vector;
Externalizer_Periodhost : in Swagger.Nullable_UString;
Externalizer_Periodcontextpath : in Swagger.Nullable_UString;
Externalizer_Periodencodedpath : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqCommonsImplExternalizerImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("externalizer.domains", Externalizer_Perioddomains);
URI.Add_Param ("externalizer.host", Externalizer_Periodhost);
URI.Add_Param ("externalizer.contextpath", Externalizer_Periodcontextpath);
URI.Add_Param ("externalizer.encodedpath", Externalizer_Periodencodedpath);
URI.Set_Path ("/system/console/configMgr/com.day.cq.commons.impl.ExternalizerImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Commons_Impl_Externalizer_Impl;
--
procedure Com_Day_Cq_Commons_Servlets_Root_Mapping_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Rootmapping_Periodtarget : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqCommonsServletsRootMappingServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("rootmapping.target", Rootmapping_Periodtarget);
URI.Set_Path ("/system/console/configMgr/com.day.cq.commons.servlets.RootMappingServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Commons_Servlets_Root_Mapping_Servlet;
--
procedure Com_Day_Cq_Compat_Codeupgrade_Impl_Code_Upgrade_Execution_Condition_Checke
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Codeupgradetasks : in Swagger.UString_Vectors.Vector;
Codeupgradetaskfilters : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqCompatCodeupgradeImplCodeUpgradeExecutionConditionCheckeInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("codeupgradetasks", Codeupgradetasks);
URI.Add_Param ("codeupgradetaskfilters", Codeupgradetaskfilters);
URI.Set_Path ("/system/console/configMgr/com.day.cq.compat.codeupgrade.impl.CodeUpgradeExecutionConditionChecker");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Compat_Codeupgrade_Impl_Code_Upgrade_Execution_Condition_Checke;
--
procedure Com_Day_Cq_Compat_Codeupgrade_Impl_Upgrade_Task_Ignore_List
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Upgrade_Task_Ignore_List : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqCompatCodeupgradeImplUpgradeTaskIgnoreListInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("upgradeTaskIgnoreList", Upgrade_Task_Ignore_List);
URI.Set_Path ("/system/console/configMgr/com.day.cq.compat.codeupgrade.impl.UpgradeTaskIgnoreList");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Compat_Codeupgrade_Impl_Upgrade_Task_Ignore_List;
--
procedure Com_Day_Cq_Compat_Codeupgrade_Impl_Version_Range_Task_Ignorelist
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Effective_Bundle_List_Path : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqCompatCodeupgradeImplVersionRangeTaskIgnorelistInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("effectiveBundleListPath", Effective_Bundle_List_Path);
URI.Set_Path ("/system/console/configMgr/com.day.cq.compat.codeupgrade.impl.VersionRangeTaskIgnorelist");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Compat_Codeupgrade_Impl_Version_Range_Task_Ignorelist;
--
procedure Com_Day_Cq_Contentsync_Impl_Content_Sync_Manager_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Contentsync_Periodfallback_Periodauthorizable : in Swagger.Nullable_UString;
Contentsync_Periodfallback_Periodupdateuser : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqContentsyncImplContentSyncManagerImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("contentsync.fallback.authorizable", Contentsync_Periodfallback_Periodauthorizable);
URI.Add_Param ("contentsync.fallback.updateuser", Contentsync_Periodfallback_Periodupdateuser);
URI.Set_Path ("/system/console/configMgr/com.day.cq.contentsync.impl.ContentSyncManagerImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Contentsync_Impl_Content_Sync_Manager_Impl;
--
procedure Com_Day_Cq_Dam_Commons_Handler_Standard_Image_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Large_File_Threshold : in Swagger.Nullable_Integer;
Large_Comment_Threshold : in Swagger.Nullable_Integer;
Cq_Perioddam_Periodenable_Periodext_Periodmeta_Periodextraction : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamCommonsHandlerStandardImageHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("large_file_threshold", Large_File_Threshold);
URI.Add_Param ("large_comment_threshold", Large_Comment_Threshold);
URI.Add_Param ("cq.dam.enable.ext.meta.extraction", Cq_Perioddam_Periodenable_Periodext_Periodmeta_Periodextraction);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.commons.handler.StandardImageHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Commons_Handler_Standard_Image_Handler;
--
procedure Com_Day_Cq_Dam_Commons_Metadata_Xmp_Filter_Black_White
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Xmp_Periodfilter_Periodapply_Whitelist : in Swagger.Nullable_Boolean;
Xmp_Periodfilter_Periodwhitelist : in Swagger.UString_Vectors.Vector;
Xmp_Periodfilter_Periodapply_Blacklist : in Swagger.Nullable_Boolean;
Xmp_Periodfilter_Periodblacklist : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqDamCommonsMetadataXmpFilterBlackWhiteInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("xmp.filter.apply_whitelist", Xmp_Periodfilter_Periodapply_Whitelist);
URI.Add_Param ("xmp.filter.whitelist", Xmp_Periodfilter_Periodwhitelist);
URI.Add_Param ("xmp.filter.apply_blacklist", Xmp_Periodfilter_Periodapply_Blacklist);
URI.Add_Param ("xmp.filter.blacklist", Xmp_Periodfilter_Periodblacklist);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.commons.metadata.XmpFilterBlackWhite");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Commons_Metadata_Xmp_Filter_Black_White;
--
procedure Com_Day_Cq_Dam_Commons_Util_Impl_Asset_Cache_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Large_Periodfile_Periodmin : in Swagger.Nullable_Integer;
Cache_Periodapply : in Swagger.Nullable_Boolean;
Mime_Periodtypes : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqDamCommonsUtilImplAssetCacheImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("large.file.min", Large_Periodfile_Periodmin);
URI.Add_Param ("cache.apply", Cache_Periodapply);
URI.Add_Param ("mime.types", Mime_Periodtypes);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.commons.util.impl.AssetCacheImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Commons_Util_Impl_Asset_Cache_Impl;
--
procedure Com_Day_Cq_Dam_Core_Impl_Annotation_Pdf_Annotation_Pdf_Config
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Perioddocument_Periodwidth : in Swagger.Nullable_Integer;
Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Perioddocument_Periodheight : in Swagger.Nullable_Integer;
Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Perioddocument_Periodpadding_Periodhorizontal : in Swagger.Nullable_Integer;
Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Perioddocument_Periodpadding_Periodvertical : in Swagger.Nullable_Integer;
Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Periodfont_Periodsize : in Swagger.Nullable_Integer;
Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Periodfont_Periodcolor : in Swagger.Nullable_UString;
Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Periodfont_Periodfamily : in Swagger.Nullable_UString;
Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Periodfont_Periodlight : in Swagger.Nullable_UString;
Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Periodmargin_Text_Image : in Swagger.Nullable_Integer;
Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Periodmin_Image_Height : in Swagger.Nullable_Integer;
Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Periodreview_Status_Periodwidth : in Swagger.Nullable_Integer;
Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Periodreview_Status_Periodcolor_Periodapproved : in Swagger.Nullable_UString;
Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Periodreview_Status_Periodcolor_Periodrejected : in Swagger.Nullable_UString;
Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Periodreview_Status_Periodcolor_Periodchanges_Requested : in Swagger.Nullable_UString;
Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Periodannotation_Marker_Periodwidth : in Swagger.Nullable_Integer;
Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Periodasset_Periodminheight : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqDamCoreImplAnnotationPdfAnnotationPdfConfigInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.dam.config.annotation.pdf.document.width", Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Perioddocument_Periodwidth);
URI.Add_Param ("cq.dam.config.annotation.pdf.document.height", Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Perioddocument_Periodheight);
URI.Add_Param ("cq.dam.config.annotation.pdf.document.padding.horizontal", Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Perioddocument_Periodpadding_Periodhorizontal);
URI.Add_Param ("cq.dam.config.annotation.pdf.document.padding.vertical", Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Perioddocument_Periodpadding_Periodvertical);
URI.Add_Param ("cq.dam.config.annotation.pdf.font.size", Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Periodfont_Periodsize);
URI.Add_Param ("cq.dam.config.annotation.pdf.font.color", Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Periodfont_Periodcolor);
URI.Add_Param ("cq.dam.config.annotation.pdf.font.family", Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Periodfont_Periodfamily);
URI.Add_Param ("cq.dam.config.annotation.pdf.font.light", Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Periodfont_Periodlight);
URI.Add_Param ("cq.dam.config.annotation.pdf.marginTextImage", Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Periodmargin_Text_Image);
URI.Add_Param ("cq.dam.config.annotation.pdf.minImageHeight", Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Periodmin_Image_Height);
URI.Add_Param ("cq.dam.config.annotation.pdf.reviewStatus.width", Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Periodreview_Status_Periodwidth);
URI.Add_Param ("cq.dam.config.annotation.pdf.reviewStatus.color.approved", Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Periodreview_Status_Periodcolor_Periodapproved);
URI.Add_Param ("cq.dam.config.annotation.pdf.reviewStatus.color.rejected", Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Periodreview_Status_Periodcolor_Periodrejected);
URI.Add_Param ("cq.dam.config.annotation.pdf.reviewStatus.color.changesRequested", Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Periodreview_Status_Periodcolor_Periodchanges_Requested);
URI.Add_Param ("cq.dam.config.annotation.pdf.annotationMarker.width", Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Periodannotation_Marker_Periodwidth);
URI.Add_Param ("cq.dam.config.annotation.pdf.asset.minheight", Cq_Perioddam_Periodconfig_Periodannotation_Periodpdf_Periodasset_Periodminheight);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.annotation.pdf.AnnotationPdfConfig");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Annotation_Pdf_Annotation_Pdf_Config;
--
procedure Com_Day_Cq_Dam_Core_Impl_Asset_Move_Listener
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Enabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamCoreImplAssetMoveListenerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("enabled", Enabled);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.AssetMoveListener");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Asset_Move_Listener;
--
procedure Com_Day_Cq_Dam_Core_Impl_Assethome_Asset_Home_Page_Configuration
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Is_Enabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamCoreImplAssethomeAssetHomePageConfigurationInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("isEnabled", Is_Enabled);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.assethome.AssetHomePageConfiguration");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Assethome_Asset_Home_Page_Configuration;
--
procedure Com_Day_Cq_Dam_Core_Impl_Assetlinkshare_Adhoc_Asset_Share_Proxy_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Periodadhoc_Periodasset_Periodshare_Periodprezip_Periodmaxcontentsize : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqDamCoreImplAssetlinkshareAdhocAssetShareProxyServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.dam.adhoc.asset.share.prezip.maxcontentsize", Cq_Perioddam_Periodadhoc_Periodasset_Periodshare_Periodprezip_Periodmaxcontentsize);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.assetlinkshare.AdhocAssetShareProxyServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Assetlinkshare_Adhoc_Asset_Share_Proxy_Servlet;
--
procedure Com_Day_Cq_Dam_Core_Impl_Cache_C_Q_Buffered_Image_Cache
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Periodimage_Periodcache_Periodmax_Periodmemory : in Swagger.Nullable_Integer;
Cq_Perioddam_Periodimage_Periodcache_Periodmax_Periodage : in Swagger.Nullable_Integer;
Cq_Perioddam_Periodimage_Periodcache_Periodmax_Perioddimension : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqDamCoreImplCacheCQBufferedImageCacheInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.dam.image.cache.max.memory", Cq_Perioddam_Periodimage_Periodcache_Periodmax_Periodmemory);
URI.Add_Param ("cq.dam.image.cache.max.age", Cq_Perioddam_Periodimage_Periodcache_Periodmax_Periodage);
URI.Add_Param ("cq.dam.image.cache.max.dimension", Cq_Perioddam_Periodimage_Periodcache_Periodmax_Perioddimension);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.cache.CQBufferedImageCache");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Cache_C_Q_Buffered_Image_Cache;
--
procedure Com_Day_Cq_Dam_Core_Impl_Dam_Change_Event_Listener
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Changeeventlistener_Periodobserved_Periodpaths : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqDamCoreImplDamChangeEventListenerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("changeeventlistener.observed.paths", Changeeventlistener_Periodobserved_Periodpaths);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.DamChangeEventListener");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Dam_Change_Event_Listener;
--
procedure Com_Day_Cq_Dam_Core_Impl_Dam_Event_Purge_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Scheduler_Periodexpression : in Swagger.Nullable_UString;
Max_Saved_Activities : in Swagger.Nullable_Integer;
Save_Interval : in Swagger.Nullable_Integer;
Enable_Activity_Purge : in Swagger.Nullable_Boolean;
Event_Types : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqDamCoreImplDamEventPurgeServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("scheduler.expression", Scheduler_Periodexpression);
URI.Add_Param ("maxSavedActivities", Max_Saved_Activities);
URI.Add_Param ("saveInterval", Save_Interval);
URI.Add_Param ("enableActivityPurge", Enable_Activity_Purge);
URI.Add_Param ("eventTypes", Event_Types);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.DamEventPurgeService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Dam_Event_Purge_Service;
--
procedure Com_Day_Cq_Dam_Core_Impl_Dam_Event_Recorder_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Event_Periodfilter : in Swagger.Nullable_UString;
Event_Periodqueue_Periodlength : in Swagger.Nullable_Integer;
Eventrecorder_Periodenabled : in Swagger.Nullable_Boolean;
Eventrecorder_Periodblacklist : in Swagger.UString_Vectors.Vector;
Eventrecorder_Periodeventtypes : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqDamCoreImplDamEventRecorderImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("event.filter", Event_Periodfilter);
URI.Add_Param ("event.queue.length", Event_Periodqueue_Periodlength);
URI.Add_Param ("eventrecorder.enabled", Eventrecorder_Periodenabled);
URI.Add_Param ("eventrecorder.blacklist", Eventrecorder_Periodblacklist);
URI.Add_Param ("eventrecorder.eventtypes", Eventrecorder_Periodeventtypes);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.DamEventRecorderImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Dam_Event_Recorder_Impl;
--
procedure Com_Day_Cq_Dam_Core_Impl_Event_Dam_Event_Audit_Listener
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Event_Periodfilter : in Swagger.Nullable_UString;
Enabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamCoreImplEventDamEventAuditListenerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("event.filter", Event_Periodfilter);
URI.Add_Param ("enabled", Enabled);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.event.DamEventAuditListener");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Event_Dam_Event_Audit_Listener;
--
procedure Com_Day_Cq_Dam_Core_Impl_Expiry_Notification_Job_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Periodexpiry_Periodnotification_Periodscheduler_Periodistimebased : in Swagger.Nullable_Boolean;
Cq_Perioddam_Periodexpiry_Periodnotification_Periodscheduler_Periodtimebased_Periodrule : in Swagger.Nullable_UString;
Cq_Perioddam_Periodexpiry_Periodnotification_Periodscheduler_Periodperiod_Periodrule : in Swagger.Nullable_Integer;
Send_Email : in Swagger.Nullable_Boolean;
Asset_Expired_Limit : in Swagger.Nullable_Integer;
Prior_Notification_Seconds : in Swagger.Nullable_Integer;
Cq_Perioddam_Periodexpiry_Periodnotification_Periodurl_Periodprotocol : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqDamCoreImplExpiryNotificationJobImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.dam.expiry.notification.scheduler.istimebased", Cq_Perioddam_Periodexpiry_Periodnotification_Periodscheduler_Periodistimebased);
URI.Add_Param ("cq.dam.expiry.notification.scheduler.timebased.rule", Cq_Perioddam_Periodexpiry_Periodnotification_Periodscheduler_Periodtimebased_Periodrule);
URI.Add_Param ("cq.dam.expiry.notification.scheduler.period.rule", Cq_Perioddam_Periodexpiry_Periodnotification_Periodscheduler_Periodperiod_Periodrule);
URI.Add_Param ("send_email", Send_Email);
URI.Add_Param ("asset_expired_limit", Asset_Expired_Limit);
URI.Add_Param ("prior_notification_seconds", Prior_Notification_Seconds);
URI.Add_Param ("cq.dam.expiry.notification.url.protocol", Cq_Perioddam_Periodexpiry_Periodnotification_Periodurl_Periodprotocol);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.ExpiryNotificationJobImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Expiry_Notification_Job_Impl;
--
procedure Com_Day_Cq_Dam_Core_Impl_Foldermetadataschema_Folder_Metadata_Schema_Feat
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Is_Enabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamCoreImplFoldermetadataschemaFolderMetadataSchemaFeatInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("isEnabled", Is_Enabled);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.foldermetadataschema.FolderMetadataSchemaFeatureFlag");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Foldermetadataschema_Folder_Metadata_Schema_Feat;
--
procedure Com_Day_Cq_Dam_Core_Impl_Gfx_Commons_Gfx_Renderer
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Skip_Periodbufferedcache : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamCoreImplGfxCommonsGfxRendererInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("skip.bufferedcache", Skip_Periodbufferedcache);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.gfx.CommonsGfxRenderer");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Gfx_Commons_Gfx_Renderer;
--
procedure Com_Day_Cq_Dam_Core_Impl_Handler_E_P_S_Format_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Mimetype : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqDamCoreImplHandlerEPSFormatHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("mimetype", Mimetype);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.handler.EPSFormatHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Handler_E_P_S_Format_Handler;
--
procedure Com_Day_Cq_Dam_Core_Impl_Handler_Indesign_Format_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Mimetype : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqDamCoreImplHandlerIndesignFormatHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("mimetype", Mimetype);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.handler.IndesignFormatHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Handler_Indesign_Format_Handler;
--
procedure Com_Day_Cq_Dam_Core_Impl_Handler_Jpeg_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Periodenable_Periodext_Periodmeta_Periodextraction : in Swagger.Nullable_Boolean;
Large_File_Threshold : in Swagger.Nullable_Integer;
Large_Comment_Threshold : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqDamCoreImplHandlerJpegHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.dam.enable.ext.meta.extraction", Cq_Perioddam_Periodenable_Periodext_Periodmeta_Periodextraction);
URI.Add_Param ("large_file_threshold", Large_File_Threshold);
URI.Add_Param ("large_comment_threshold", Large_Comment_Threshold);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.handler.JpegHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Handler_Jpeg_Handler;
--
procedure Com_Day_Cq_Dam_Core_Impl_Handler_Xmp_N_Comm_X_M_P_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Xmphandler_Periodcq_Periodformats : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqDamCoreImplHandlerXmpNCommXMPHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("xmphandler.cq.formats", Xmphandler_Periodcq_Periodformats);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.handler.xmp.NCommXMPHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Handler_Xmp_N_Comm_X_M_P_Handler;
--
procedure Com_Day_Cq_Dam_Core_Impl_Jmx_Asset_Index_Update_Monitor
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Jmx_Periodobjectname : in Swagger.Nullable_UString;
Property_Periodmeasure_Periodenabled : in Swagger.Nullable_Boolean;
Property_Periodname : in Swagger.Nullable_UString;
Property_Periodmax_Periodwait_Periodms : in Swagger.Nullable_Integer;
Property_Periodmax_Periodrate : in Swagger.Number;
Fulltext_Periodmeasure_Periodenabled : in Swagger.Nullable_Boolean;
Fulltext_Periodname : in Swagger.Nullable_UString;
Fulltext_Periodmax_Periodwait_Periodms : in Swagger.Nullable_Integer;
Fulltext_Periodmax_Periodrate : in Swagger.Number;
Result : out .Models.ComDayCqDamCoreImplJmxAssetIndexUpdateMonitorInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("jmx.objectname", Jmx_Periodobjectname);
URI.Add_Param ("property.measure.enabled", Property_Periodmeasure_Periodenabled);
URI.Add_Param ("property.name", Property_Periodname);
URI.Add_Param ("property.max.wait.ms", Property_Periodmax_Periodwait_Periodms);
URI.Add_Param ("property.max.rate", Property_Periodmax_Periodrate);
URI.Add_Param ("fulltext.measure.enabled", Fulltext_Periodmeasure_Periodenabled);
URI.Add_Param ("fulltext.name", Fulltext_Periodname);
URI.Add_Param ("fulltext.max.wait.ms", Fulltext_Periodmax_Periodwait_Periodms);
URI.Add_Param ("fulltext.max.rate", Fulltext_Periodmax_Periodrate);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.jmx.AssetIndexUpdateMonitor");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Jmx_Asset_Index_Update_Monitor;
--
procedure Com_Day_Cq_Dam_Core_Impl_Jmx_Asset_Migration_M_Bean_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Jmx_Periodobjectname : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqDamCoreImplJmxAssetMigrationMBeanImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("jmx.objectname", Jmx_Periodobjectname);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.jmx.AssetMigrationMBeanImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Jmx_Asset_Migration_M_Bean_Impl;
--
procedure Com_Day_Cq_Dam_Core_Impl_Jmx_Asset_Update_Monitor_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Jmx_Periodobjectname : in Swagger.Nullable_UString;
Active : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamCoreImplJmxAssetUpdateMonitorImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("jmx.objectname", Jmx_Periodobjectname);
URI.Add_Param ("active", Active);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.jmx.AssetUpdateMonitorImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Jmx_Asset_Update_Monitor_Impl;
--
procedure Com_Day_Cq_Dam_Core_Impl_Jobs_Metadataexport_Async_Metadata_Export_Config
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Operation : in Swagger.Nullable_UString;
Email_Enabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamCoreImplJobsMetadataexportAsyncMetadataExportConfigInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("operation", Operation);
URI.Add_Param ("emailEnabled", Email_Enabled);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.jobs.metadataexport.AsyncMetadataExportConfigProviderService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Jobs_Metadataexport_Async_Metadata_Export_Config;
--
procedure Com_Day_Cq_Dam_Core_Impl_Jobs_Metadataimport_Async_Metadata_Import_Config
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Operation : in Swagger.Nullable_UString;
Operation_Icon : in Swagger.Nullable_UString;
Topic_Name : in Swagger.Nullable_UString;
Email_Enabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamCoreImplJobsMetadataimportAsyncMetadataImportConfigInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("operation", Operation);
URI.Add_Param ("operationIcon", Operation_Icon);
URI.Add_Param ("topicName", Topic_Name);
URI.Add_Param ("emailEnabled", Email_Enabled);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.jobs.metadataimport.AsyncMetadataImportConfigProviderService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Jobs_Metadataimport_Async_Metadata_Import_Config;
--
procedure Com_Day_Cq_Dam_Core_Impl_Lightbox_Lightbox_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Sling_Periodservlet_Periodpaths : in Swagger.Nullable_UString;
Sling_Periodservlet_Periodmethods : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Periodenable_Periodanonymous : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamCoreImplLightboxLightboxServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("sling.servlet.paths", Sling_Periodservlet_Periodpaths);
URI.Add_Param ("sling.servlet.methods", Sling_Periodservlet_Periodmethods);
URI.Add_Param ("cq.dam.enable.anonymous", Cq_Perioddam_Periodenable_Periodanonymous);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.lightbox.LightboxServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Lightbox_Lightbox_Servlet;
--
procedure Com_Day_Cq_Dam_Core_Impl_Metadata_Editor_Select_Component_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Granite_Data : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqDamCoreImplMetadataEditorSelectComponentHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("granite:data", Granite_Data);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.metadata.editor.SelectComponentHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Metadata_Editor_Select_Component_Handler;
--
procedure Com_Day_Cq_Dam_Core_Impl_Mime_Type_Asset_Upload_Restriction_Helper
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Periodallow_Periodall_Periodmime : in Swagger.Nullable_Boolean;
Cq_Perioddam_Periodallowed_Periodasset_Periodmimes : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqDamCoreImplMimeTypeAssetUploadRestrictionHelperInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.dam.allow.all.mime", Cq_Perioddam_Periodallow_Periodall_Periodmime);
URI.Add_Param ("cq.dam.allowed.asset.mimes", Cq_Perioddam_Periodallowed_Periodasset_Periodmimes);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.mimeType.AssetUploadRestrictionHelper");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Mime_Type_Asset_Upload_Restriction_Helper;
--
procedure Com_Day_Cq_Dam_Core_Impl_Mime_Type_Dam_Mime_Type_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Perioddetect_Periodasset_Periodmime_Periodfrom_Periodcontent : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamCoreImplMimeTypeDamMimeTypeServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.dam.detect.asset.mime.from.content", Cq_Perioddam_Perioddetect_Periodasset_Periodmime_Periodfrom_Periodcontent);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.mimeType.DamMimeTypeServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Mime_Type_Dam_Mime_Type_Service_Impl;
--
procedure Com_Day_Cq_Dam_Core_Impl_Missing_Metadata_Notification_Job
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Periodmissingmetadata_Periodnotification_Periodscheduler_Periodistimebased : in Swagger.Nullable_Boolean;
Cq_Perioddam_Periodmissingmetadata_Periodnotification_Periodscheduler_Periodtimebased_Periodrule : in Swagger.Nullable_UString;
Cq_Perioddam_Periodmissingmetadata_Periodnotification_Periodscheduler_Periodperiod_Periodrule : in Swagger.Nullable_Integer;
Cq_Perioddam_Periodmissingmetadata_Periodnotification_Periodrecipient : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqDamCoreImplMissingMetadataNotificationJobInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.dam.missingmetadata.notification.scheduler.istimebased", Cq_Perioddam_Periodmissingmetadata_Periodnotification_Periodscheduler_Periodistimebased);
URI.Add_Param ("cq.dam.missingmetadata.notification.scheduler.timebased.rule", Cq_Perioddam_Periodmissingmetadata_Periodnotification_Periodscheduler_Periodtimebased_Periodrule);
URI.Add_Param ("cq.dam.missingmetadata.notification.scheduler.period.rule", Cq_Perioddam_Periodmissingmetadata_Periodnotification_Periodscheduler_Periodperiod_Periodrule);
URI.Add_Param ("cq.dam.missingmetadata.notification.recipient", Cq_Perioddam_Periodmissingmetadata_Periodnotification_Periodrecipient);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.MissingMetadataNotificationJob");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Missing_Metadata_Notification_Job;
--
procedure Com_Day_Cq_Dam_Core_Impl_Process_Send_Transient_Workflow_Completed_Email_Pr
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Process_Periodlabel : in Swagger.Nullable_UString;
Notify on _Complete : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamCoreImplProcessSendTransientWorkflowCompletedEmailPrInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("process.label", Process_Periodlabel);
URI.Add_Param ("Notify on Complete", Notify on _Complete);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.process.SendTransientWorkflowCompletedEmailProcess");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Process_Send_Transient_Workflow_Completed_Email_Pr;
--
procedure Com_Day_Cq_Dam_Core_Impl_Process_Text_Extraction_Process
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Mime_Types : in Swagger.UString_Vectors.Vector;
Max_Extract : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqDamCoreImplProcessTextExtractionProcessInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("mimeTypes", Mime_Types);
URI.Add_Param ("maxExtract", Max_Extract);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.process.TextExtractionProcess");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Process_Text_Extraction_Process;
--
procedure Com_Day_Cq_Dam_Core_Impl_Rendition_Maker_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Xmp_Periodpropagate : in Swagger.Nullable_Boolean;
Xmp_Periodexcludes : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqDamCoreImplRenditionMakerImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("xmp.propagate", Xmp_Periodpropagate);
URI.Add_Param ("xmp.excludes", Xmp_Periodexcludes);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.RenditionMakerImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Rendition_Maker_Impl;
--
procedure Com_Day_Cq_Dam_Core_Impl_Reports_Report_Export_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Query_Batch_Size : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqDamCoreImplReportsReportExportServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("queryBatchSize", Query_Batch_Size);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.reports.ReportExportService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Reports_Report_Export_Service;
--
procedure Com_Day_Cq_Dam_Core_Impl_Reports_Report_Purge_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Scheduler_Periodexpression : in Swagger.Nullable_UString;
Max_Saved_Reports : in Swagger.Nullable_Integer;
Time_Duration : in Swagger.Nullable_Integer;
Enable_Report_Purge : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamCoreImplReportsReportPurgeServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("scheduler.expression", Scheduler_Periodexpression);
URI.Add_Param ("maxSavedReports", Max_Saved_Reports);
URI.Add_Param ("timeDuration", Time_Duration);
URI.Add_Param ("enableReportPurge", Enable_Report_Purge);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.reports.ReportPurgeService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Reports_Report_Purge_Service;
--
procedure Com_Day_Cq_Dam_Core_Impl_Servlet_Asset_Download_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Enabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamCoreImplServletAssetDownloadServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("enabled", Enabled);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.servlet.AssetDownloadServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Servlet_Asset_Download_Servlet;
--
procedure Com_Day_Cq_Dam_Core_Impl_Servlet_Asset_Status_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Periodbatch_Periodstatus_Periodmaxassets : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqDamCoreImplServletAssetStatusServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.dam.batch.status.maxassets", Cq_Perioddam_Periodbatch_Periodstatus_Periodmaxassets);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.servlet.AssetStatusServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Servlet_Asset_Status_Servlet;
--
procedure Com_Day_Cq_Dam_Core_Impl_Servlet_Asset_X_M_P_Search_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Periodbatch_Periodindesign_Periodmaxassets : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqDamCoreImplServletAssetXMPSearchServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.dam.batch.indesign.maxassets", Cq_Perioddam_Periodbatch_Periodindesign_Periodmaxassets);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.servlet.AssetXMPSearchServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Servlet_Asset_X_M_P_Search_Servlet;
--
procedure Com_Day_Cq_Dam_Core_Impl_Servlet_Batch_Metadata_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Periodbatch_Periodmetadata_Periodasset_Perioddefault : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Periodbatch_Periodmetadata_Periodcollection_Perioddefault : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Periodbatch_Periodmetadata_Periodmaxresources : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqDamCoreImplServletBatchMetadataServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.dam.batch.metadata.asset.default", Cq_Perioddam_Periodbatch_Periodmetadata_Periodasset_Perioddefault);
URI.Add_Param ("cq.dam.batch.metadata.collection.default", Cq_Perioddam_Periodbatch_Periodmetadata_Periodcollection_Perioddefault);
URI.Add_Param ("cq.dam.batch.metadata.maxresources", Cq_Perioddam_Periodbatch_Periodmetadata_Periodmaxresources);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.servlet.BatchMetadataServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Servlet_Batch_Metadata_Servlet;
--
procedure Com_Day_Cq_Dam_Core_Impl_Servlet_Binary_Provider_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Sling_Periodservlet_Periodresource_Types : in Swagger.UString_Vectors.Vector;
Sling_Periodservlet_Periodmethods : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Perioddrm_Periodenable : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamCoreImplServletBinaryProviderServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("sling.servlet.resourceTypes", Sling_Periodservlet_Periodresource_Types);
URI.Add_Param ("sling.servlet.methods", Sling_Periodservlet_Periodmethods);
URI.Add_Param ("cq.dam.drm.enable", Cq_Perioddam_Perioddrm_Periodenable);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.servlet.BinaryProviderServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Servlet_Binary_Provider_Servlet;
--
procedure Com_Day_Cq_Dam_Core_Impl_Servlet_Collection_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Periodbatch_Periodcollection_Periodproperties : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Periodbatch_Periodcollection_Periodmaxcollections : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqDamCoreImplServletCollectionServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.dam.batch.collection.properties", Cq_Perioddam_Periodbatch_Periodcollection_Periodproperties);
URI.Add_Param ("cq.dam.batch.collection.maxcollections", Cq_Perioddam_Periodbatch_Periodcollection_Periodmaxcollections);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.servlet.CollectionServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Servlet_Collection_Servlet;
--
procedure Com_Day_Cq_Dam_Core_Impl_Servlet_Collections_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Periodbatch_Periodcollections_Periodproperties : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Periodbatch_Periodcollections_Periodlimit : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqDamCoreImplServletCollectionsServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.dam.batch.collections.properties", Cq_Perioddam_Periodbatch_Periodcollections_Periodproperties);
URI.Add_Param ("cq.dam.batch.collections.limit", Cq_Perioddam_Periodbatch_Periodcollections_Periodlimit);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.servlet.CollectionsServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Servlet_Collections_Servlet;
--
procedure Com_Day_Cq_Dam_Core_Impl_Servlet_Companion_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
More _Info : in Swagger.Nullable_UString;
Slashmnt_Slashoverlay_Slashdam_Slashgui_Slashcontent_Slashassets_Slashmoreinfo_Periodhtml_Slash_Dollar_Left_Curly_Bracketpath_Right_Curly_Bracket : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqDamCoreImplServletCompanionServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("More Info", More _Info);
URI.Add_Param ("/mnt/overlay/dam/gui/content/assets/moreinfo.html/${path}", Slashmnt_Slashoverlay_Slashdam_Slashgui_Slashcontent_Slashassets_Slashmoreinfo_Periodhtml_Slash_Dollar_Left_Curly_Bracketpath_Right_Curly_Bracket);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.servlet.CompanionServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Servlet_Companion_Servlet;
--
procedure Com_Day_Cq_Dam_Core_Impl_Servlet_Create_Asset_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Detect_Duplicate : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamCoreImplServletCreateAssetServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("detect_duplicate", Detect_Duplicate);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.servlet.CreateAssetServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Servlet_Create_Asset_Servlet;
--
procedure Com_Day_Cq_Dam_Core_Impl_Servlet_Dam_Content_Disposition_Filter
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodmime_Periodtype_Periodblacklist : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Periodempty_Periodmime : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamCoreImplServletDamContentDispositionFilterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.mime.type.blacklist", Cq_Periodmime_Periodtype_Periodblacklist);
URI.Add_Param ("cq.dam.empty.mime", Cq_Perioddam_Periodempty_Periodmime);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.servlet.DamContentDispositionFilter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Servlet_Dam_Content_Disposition_Filter;
--
procedure Com_Day_Cq_Dam_Core_Impl_Servlet_Guid_Lookup_Filter
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Periodcore_Periodguidlookupfilter_Periodenabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamCoreImplServletGuidLookupFilterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.dam.core.guidlookupfilter.enabled", Cq_Perioddam_Periodcore_Periodguidlookupfilter_Periodenabled);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.servlet.GuidLookupFilter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Servlet_Guid_Lookup_Filter;
--
procedure Com_Day_Cq_Dam_Core_Impl_Servlet_Health_Check_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Periodsync_Periodworkflow_Periodid : in Swagger.Nullable_UString;
Cq_Perioddam_Periodsync_Periodfolder_Periodtypes : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqDamCoreImplServletHealthCheckServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.dam.sync.workflow.id", Cq_Perioddam_Periodsync_Periodworkflow_Periodid);
URI.Add_Param ("cq.dam.sync.folder.types", Cq_Perioddam_Periodsync_Periodfolder_Periodtypes);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.servlet.HealthCheckServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Servlet_Health_Check_Servlet;
--
procedure Com_Day_Cq_Dam_Core_Impl_Servlet_Metadata_Get_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Sling_Periodservlet_Periodresource_Types : in Swagger.Nullable_UString;
Sling_Periodservlet_Periodmethods : in Swagger.Nullable_UString;
Sling_Periodservlet_Periodextensions : in Swagger.Nullable_UString;
Sling_Periodservlet_Periodselectors : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqDamCoreImplServletMetadataGetServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("sling.servlet.resourceTypes", Sling_Periodservlet_Periodresource_Types);
URI.Add_Param ("sling.servlet.methods", Sling_Periodservlet_Periodmethods);
URI.Add_Param ("sling.servlet.extensions", Sling_Periodservlet_Periodextensions);
URI.Add_Param ("sling.servlet.selectors", Sling_Periodservlet_Periodselectors);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.servlet.MetadataGetServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Servlet_Metadata_Get_Servlet;
--
procedure Com_Day_Cq_Dam_Core_Impl_Servlet_Multiple_License_Accept_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Perioddrm_Periodenable : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamCoreImplServletMultipleLicenseAcceptServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.dam.drm.enable", Cq_Perioddam_Perioddrm_Periodenable);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.servlet.MultipleLicenseAcceptServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Servlet_Multiple_License_Accept_Servlet;
--
procedure Com_Day_Cq_Dam_Core_Impl_Servlet_Resource_Collection_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Sling_Periodservlet_Periodresource_Types : in Swagger.UString_Vectors.Vector;
Sling_Periodservlet_Periodmethods : in Swagger.Nullable_UString;
Sling_Periodservlet_Periodselectors : in Swagger.Nullable_UString;
Download_Periodconfig : in Swagger.Nullable_UString;
View_Periodselector : in Swagger.Nullable_UString;
Send_Email : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamCoreImplServletResourceCollectionServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("sling.servlet.resourceTypes", Sling_Periodservlet_Periodresource_Types);
URI.Add_Param ("sling.servlet.methods", Sling_Periodservlet_Periodmethods);
URI.Add_Param ("sling.servlet.selectors", Sling_Periodservlet_Periodselectors);
URI.Add_Param ("download.config", Download_Periodconfig);
URI.Add_Param ("view.selector", View_Periodselector);
URI.Add_Param ("send_email", Send_Email);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.servlet.ResourceCollectionServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Servlet_Resource_Collection_Servlet;
--
procedure Com_Day_Cq_Dam_Core_Impl_Ui_Preview_Folder_Preview_Updater_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Create_Preview_Enabled : in Swagger.Nullable_Boolean;
Update_Preview_Enabled : in Swagger.Nullable_Boolean;
Queue_Size : in Swagger.Nullable_Integer;
Folder_Preview_Rendition_Regex : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqDamCoreImplUiPreviewFolderPreviewUpdaterImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("createPreviewEnabled", Create_Preview_Enabled);
URI.Add_Param ("updatePreviewEnabled", Update_Preview_Enabled);
URI.Add_Param ("queueSize", Queue_Size);
URI.Add_Param ("folderPreviewRenditionRegex", Folder_Preview_Rendition_Regex);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.ui.preview.FolderPreviewUpdaterImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Ui_Preview_Folder_Preview_Updater_Impl;
--
procedure Com_Day_Cq_Dam_Core_Impl_Unzip_Unzip_Config
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Periodconfig_Periodunzip_Periodmaxuncompressedsize : in Swagger.Nullable_Integer;
Cq_Perioddam_Periodconfig_Periodunzip_Periodencoding : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqDamCoreImplUnzipUnzipConfigInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.dam.config.unzip.maxuncompressedsize", Cq_Perioddam_Periodconfig_Periodunzip_Periodmaxuncompressedsize);
URI.Add_Param ("cq.dam.config.unzip.encoding", Cq_Perioddam_Periodconfig_Periodunzip_Periodencoding);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.impl.unzip.UnzipConfig");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Impl_Unzip_Unzip_Config;
--
procedure Com_Day_Cq_Dam_Core_Process_Exif_Tool_Extract_Metadata_Process
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Process_Periodlabel : in Swagger.Nullable_UString;
Cq_Perioddam_Periodenable_Periodsha1 : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamCoreProcessExifToolExtractMetadataProcessInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("process.label", Process_Periodlabel);
URI.Add_Param ("cq.dam.enable.sha1", Cq_Perioddam_Periodenable_Periodsha1);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.process.ExifToolExtractMetadataProcess");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Process_Exif_Tool_Extract_Metadata_Process;
--
procedure Com_Day_Cq_Dam_Core_Process_Extract_Metadata_Process
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Process_Periodlabel : in Swagger.Nullable_UString;
Cq_Perioddam_Periodenable_Periodsha1 : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamCoreProcessExtractMetadataProcessInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("process.label", Process_Periodlabel);
URI.Add_Param ("cq.dam.enable.sha1", Cq_Perioddam_Periodenable_Periodsha1);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.process.ExtractMetadataProcess");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Process_Extract_Metadata_Process;
--
procedure Com_Day_Cq_Dam_Core_Process_Metadata_Processor_Process
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Process_Periodlabel : in Swagger.Nullable_UString;
Cq_Perioddam_Periodenable_Periodsha1 : in Swagger.Nullable_Boolean;
Cq_Perioddam_Periodmetadata_Periodxssprotected_Periodproperties : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqDamCoreProcessMetadataProcessorProcessInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("process.label", Process_Periodlabel);
URI.Add_Param ("cq.dam.enable.sha1", Cq_Perioddam_Periodenable_Periodsha1);
URI.Add_Param ("cq.dam.metadata.xssprotected.properties", Cq_Perioddam_Periodmetadata_Periodxssprotected_Periodproperties);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.core.process.MetadataProcessorProcess");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Core_Process_Metadata_Processor_Process;
--
procedure Com_Day_Cq_Dam_Handler_Ffmpeg_Locator_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Executable_Periodsearchpath : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqDamHandlerFfmpegLocatorImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("executable.searchpath", Executable_Periodsearchpath);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.handler.ffmpeg.LocatorImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Handler_Ffmpeg_Locator_Impl;
--
procedure Com_Day_Cq_Dam_Handler_Gibson_Fontmanager_Impl_Font_Manager_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Event_Periodfilter : in Swagger.Nullable_UString;
Fontmgr_Periodsystem_Periodfont_Perioddir : in Swagger.UString_Vectors.Vector;
Fontmgr_Periodadobe_Periodfont_Perioddir : in Swagger.Nullable_UString;
Fontmgr_Periodcustomer_Periodfont_Perioddir : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqDamHandlerGibsonFontmanagerImplFontManagerServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("event.filter", Event_Periodfilter);
URI.Add_Param ("fontmgr.system.font.dir", Fontmgr_Periodsystem_Periodfont_Perioddir);
URI.Add_Param ("fontmgr.adobe.font.dir", Fontmgr_Periodadobe_Periodfont_Perioddir);
URI.Add_Param ("fontmgr.customer.font.dir", Fontmgr_Periodcustomer_Periodfont_Perioddir);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.handler.gibson.fontmanager.impl.FontManagerServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Handler_Gibson_Fontmanager_Impl_Font_Manager_Service_Impl;
--
procedure Com_Day_Cq_Dam_Handler_Standard_Pdf_Pdf_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Raster_Periodannotation : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamHandlerStandardPdfPdfHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("raster.annotation", Raster_Periodannotation);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.handler.standard.pdf.PdfHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Handler_Standard_Pdf_Pdf_Handler;
--
procedure Com_Day_Cq_Dam_Handler_Standard_Ps_Post_Script_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Raster_Periodannotation : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamHandlerStandardPsPostScriptHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("raster.annotation", Raster_Periodannotation);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.handler.standard.ps.PostScriptHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Handler_Standard_Ps_Post_Script_Handler;
--
procedure Com_Day_Cq_Dam_Handler_Standard_Psd_Psd_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Large_File_Threshold : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqDamHandlerStandardPsdPsdHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("large_file_threshold", Large_File_Threshold);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.handler.standard.psd.PsdHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Handler_Standard_Psd_Psd_Handler;
--
procedure Com_Day_Cq_Dam_Ids_Impl_I_D_S_Job_Processor
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Enable_Periodmultisession : in Swagger.Nullable_Boolean;
Ids_Periodcc_Periodenable : in Swagger.Nullable_Boolean;
Enable_Periodretry : in Swagger.Nullable_Boolean;
Enable_Periodretry_Periodscripterror : in Swagger.Nullable_Boolean;
Externalizer_Perioddomain_Periodcqhost : in Swagger.Nullable_UString;
Externalizer_Perioddomain_Periodhttp : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqDamIdsImplIDSJobProcessorInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("enable.multisession", Enable_Periodmultisession);
URI.Add_Param ("ids.cc.enable", Ids_Periodcc_Periodenable);
URI.Add_Param ("enable.retry", Enable_Periodretry);
URI.Add_Param ("enable.retry.scripterror", Enable_Periodretry_Periodscripterror);
URI.Add_Param ("externalizer.domain.cqhost", Externalizer_Perioddomain_Periodcqhost);
URI.Add_Param ("externalizer.domain.http", Externalizer_Perioddomain_Periodhttp);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.ids.impl.IDSJobProcessor");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Ids_Impl_I_D_S_Job_Processor;
--
procedure Com_Day_Cq_Dam_Ids_Impl_I_D_S_Pool_Manager_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Max_Perioderrors_Periodto_Periodblacklist : in Swagger.Nullable_Integer;
Retry_Periodinterval_Periodto_Periodwhitelist : in Swagger.Nullable_Integer;
Connect_Periodtimeout : in Swagger.Nullable_Integer;
Socket_Periodtimeout : in Swagger.Nullable_Integer;
Process_Periodlabel : in Swagger.Nullable_UString;
Connection_Perioduse_Periodmax : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqDamIdsImplIDSPoolManagerImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("max.errors.to.blacklist", Max_Perioderrors_Periodto_Periodblacklist);
URI.Add_Param ("retry.interval.to.whitelist", Retry_Periodinterval_Periodto_Periodwhitelist);
URI.Add_Param ("connect.timeout", Connect_Periodtimeout);
URI.Add_Param ("socket.timeout", Socket_Periodtimeout);
URI.Add_Param ("process.label", Process_Periodlabel);
URI.Add_Param ("connection.use.max", Connection_Perioduse_Periodmax);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.ids.impl.IDSPoolManagerImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Ids_Impl_I_D_S_Pool_Manager_Impl;
--
procedure Com_Day_Cq_Dam_Indd_Impl_Handler_Indesign_X_M_P_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Process_Periodlabel : in Swagger.Nullable_UString;
Extract_Periodpages : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamInddImplHandlerIndesignXMPHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("process.label", Process_Periodlabel);
URI.Add_Param ("extract.pages", Extract_Periodpages);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.indd.impl.handler.IndesignXMPHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Indd_Impl_Handler_Indesign_X_M_P_Handler;
--
procedure Com_Day_Cq_Dam_Indd_Impl_Servlet_Snippet_Creation_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Snippetcreation_Periodmaxcollections : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqDamInddImplServletSnippetCreationServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("snippetcreation.maxcollections", Snippetcreation_Periodmaxcollections);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.indd.impl.servlet.SnippetCreationServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Indd_Impl_Servlet_Snippet_Creation_Servlet;
--
procedure Com_Day_Cq_Dam_Indd_Process_I_N_D_D_Media_Extract_Process
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Process_Periodlabel : in Swagger.Nullable_UString;
Cq_Perioddam_Periodindd_Periodpages_Periodregex : in Swagger.Nullable_UString;
Ids_Periodjob_Perioddecoupled : in Swagger.Nullable_Boolean;
Ids_Periodjob_Periodworkflow_Periodmodel : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqDamInddProcessINDDMediaExtractProcessInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("process.label", Process_Periodlabel);
URI.Add_Param ("cq.dam.indd.pages.regex", Cq_Perioddam_Periodindd_Periodpages_Periodregex);
URI.Add_Param ("ids.job.decoupled", Ids_Periodjob_Perioddecoupled);
URI.Add_Param ("ids.job.workflow.model", Ids_Periodjob_Periodworkflow_Periodmodel);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.indd.process.INDDMediaExtractProcess");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Indd_Process_I_N_D_D_Media_Extract_Process;
--
procedure Com_Day_Cq_Dam_Performance_Internal_Asset_Performance_Data_Handler_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Batch_Periodcommit_Periodsize : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqDamPerformanceInternalAssetPerformanceDataHandlerImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("batch.commit.size", Batch_Periodcommit_Periodsize);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.performance.internal.AssetPerformanceDataHandlerImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Performance_Internal_Asset_Performance_Data_Handler_Impl;
--
procedure Com_Day_Cq_Dam_Performance_Internal_Asset_Performance_Report_Sync_Job
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Scheduler_Periodexpression : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqDamPerformanceInternalAssetPerformanceReportSyncJobInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("scheduler.expression", Scheduler_Periodexpression);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.performance.internal.AssetPerformanceReportSyncJob");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Performance_Internal_Asset_Performance_Report_Sync_Job;
--
procedure Com_Day_Cq_Dam_Pim_Impl_Sourcing_Upload_Process_Product_Assets_Upload_Pro
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Delete_Periodzip_Periodfile : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamPimImplSourcingUploadProcessProductAssetsUploadProInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("delete.zip.file", Delete_Periodzip_Periodfile);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.pim.impl.sourcing.upload.process.ProductAssetsUploadProcess");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Pim_Impl_Sourcing_Upload_Process_Product_Assets_Upload_Pro;
--
procedure Com_Day_Cq_Dam_S7dam_Common_Analytics_Impl_S7dam_Dynamic_Media_Config_Even
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Periods7dam_Perioddynamicmediaconfigeventlistener_Periodenabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamS7damCommonAnalyticsImplS7damDynamicMediaConfigEvenInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.dam.s7dam.dynamicmediaconfigeventlistener.enabled", Cq_Perioddam_Periods7dam_Perioddynamicmediaconfigeventlistener_Periodenabled);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.s7dam.common.analytics.impl.S7damDynamicMediaConfigEventListener");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_S7dam_Common_Analytics_Impl_S7dam_Dynamic_Media_Config_Even;
--
procedure Com_Day_Cq_Dam_S7dam_Common_Analytics_Impl_Site_Catalyst_Report_Runner
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Scheduler_Periodexpression : in Swagger.Nullable_UString;
Scheduler_Periodconcurrent : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamS7damCommonAnalyticsImplSiteCatalystReportRunnerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("scheduler.expression", Scheduler_Periodexpression);
URI.Add_Param ("scheduler.concurrent", Scheduler_Periodconcurrent);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.s7dam.common.analytics.impl.SiteCatalystReportRunner");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_S7dam_Common_Analytics_Impl_Site_Catalyst_Report_Runner;
--
procedure Com_Day_Cq_Dam_S7dam_Common_Post_Servlets_Set_Create_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Sling_Periodpost_Periodoperation : in Swagger.Nullable_UString;
Sling_Periodservlet_Periodmethods : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqDamS7damCommonPostServletsSetCreateHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("sling.post.operation", Sling_Periodpost_Periodoperation);
URI.Add_Param ("sling.servlet.methods", Sling_Periodservlet_Periodmethods);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.s7dam.common.post.servlets.SetCreateHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_S7dam_Common_Post_Servlets_Set_Create_Handler;
--
procedure Com_Day_Cq_Dam_S7dam_Common_Post_Servlets_Set_Modify_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Sling_Periodpost_Periodoperation : in Swagger.Nullable_UString;
Sling_Periodservlet_Periodmethods : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqDamS7damCommonPostServletsSetModifyHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("sling.post.operation", Sling_Periodpost_Periodoperation);
URI.Add_Param ("sling.servlet.methods", Sling_Periodservlet_Periodmethods);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.s7dam.common.post.servlets.SetModifyHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_S7dam_Common_Post_Servlets_Set_Modify_Handler;
--
procedure Com_Day_Cq_Dam_S7dam_Common_Process_Video_Thumbnail_Download_Process
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Process_Periodlabel : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqDamS7damCommonProcessVideoThumbnailDownloadProcessInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("process.label", Process_Periodlabel);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.s7dam.common.process.VideoThumbnailDownloadProcess");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_S7dam_Common_Process_Video_Thumbnail_Download_Process;
--
procedure Com_Day_Cq_Dam_S7dam_Common_S7dam_Dam_Change_Event_Listener
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Periods7dam_Perioddamchangeeventlistener_Periodenabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamS7damCommonS7damDamChangeEventListenerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.dam.s7dam.damchangeeventlistener.enabled", Cq_Perioddam_Periods7dam_Perioddamchangeeventlistener_Periodenabled);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.s7dam.common.S7damDamChangeEventListener");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_S7dam_Common_S7dam_Dam_Change_Event_Listener;
--
procedure Com_Day_Cq_Dam_S7dam_Common_Servlets_S7dam_Product_Info_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Sling_Periodservlet_Periodpaths : in Swagger.Nullable_UString;
Sling_Periodservlet_Periodmethods : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqDamS7damCommonServletsS7damProductInfoServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("sling.servlet.paths", Sling_Periodservlet_Periodpaths);
URI.Add_Param ("sling.servlet.methods", Sling_Periodservlet_Periodmethods);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.s7dam.common.servlets.S7damProductInfoServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_S7dam_Common_Servlets_S7dam_Product_Info_Servlet;
--
procedure Com_Day_Cq_Dam_S7dam_Common_Video_Impl_Video_Proxy_Client_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Periods7dam_Periodvideoproxyclientservice_Periodmultipartupload_Periodminsize_Periodname : in Swagger.Nullable_Integer;
Cq_Perioddam_Periods7dam_Periodvideoproxyclientservice_Periodmultipartupload_Periodpartsize_Periodname : in Swagger.Nullable_Integer;
Cq_Perioddam_Periods7dam_Periodvideoproxyclientservice_Periodmultipartupload_Periodnumthread_Periodname : in Swagger.Nullable_Integer;
Cq_Perioddam_Periods7dam_Periodvideoproxyclientservice_Periodhttp_Periodreadtimeout_Periodname : in Swagger.Nullable_Integer;
Cq_Perioddam_Periods7dam_Periodvideoproxyclientservice_Periodhttp_Periodconnectiontimeout_Periodname : in Swagger.Nullable_Integer;
Cq_Perioddam_Periods7dam_Periodvideoproxyclientservice_Periodhttp_Periodmaxretrycount_Periodname : in Swagger.Nullable_Integer;
Cq_Perioddam_Periods7dam_Periodvideoproxyclientservice_Perioduploadprogress_Periodinterval_Periodname : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqDamS7damCommonVideoImplVideoProxyClientServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.dam.s7dam.videoproxyclientservice.multipartupload.minsize.name", Cq_Perioddam_Periods7dam_Periodvideoproxyclientservice_Periodmultipartupload_Periodminsize_Periodname);
URI.Add_Param ("cq.dam.s7dam.videoproxyclientservice.multipartupload.partsize.name", Cq_Perioddam_Periods7dam_Periodvideoproxyclientservice_Periodmultipartupload_Periodpartsize_Periodname);
URI.Add_Param ("cq.dam.s7dam.videoproxyclientservice.multipartupload.numthread.name", Cq_Perioddam_Periods7dam_Periodvideoproxyclientservice_Periodmultipartupload_Periodnumthread_Periodname);
URI.Add_Param ("cq.dam.s7dam.videoproxyclientservice.http.readtimeout.name", Cq_Perioddam_Periods7dam_Periodvideoproxyclientservice_Periodhttp_Periodreadtimeout_Periodname);
URI.Add_Param ("cq.dam.s7dam.videoproxyclientservice.http.connectiontimeout.name", Cq_Perioddam_Periods7dam_Periodvideoproxyclientservice_Periodhttp_Periodconnectiontimeout_Periodname);
URI.Add_Param ("cq.dam.s7dam.videoproxyclientservice.http.maxretrycount.name", Cq_Perioddam_Periods7dam_Periodvideoproxyclientservice_Periodhttp_Periodmaxretrycount_Periodname);
URI.Add_Param ("cq.dam.s7dam.videoproxyclientservice.uploadprogress.interval.name", Cq_Perioddam_Periods7dam_Periodvideoproxyclientservice_Perioduploadprogress_Periodinterval_Periodname);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.s7dam.common.video.impl.VideoProxyClientServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_S7dam_Common_Video_Impl_Video_Proxy_Client_Service_Impl;
--
procedure Com_Day_Cq_Dam_Scene7_Impl_Scene7_A_P_I_Client_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Periodscene7_Periodapiclient_Periodrecordsperpage_Periodnofilter_Periodname : in Swagger.Nullable_Integer;
Cq_Perioddam_Periodscene7_Periodapiclient_Periodrecordsperpage_Periodwithfilter_Periodname : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqDamScene7ImplScene7APIClientImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.dam.scene7.apiclient.recordsperpage.nofilter.name", Cq_Perioddam_Periodscene7_Periodapiclient_Periodrecordsperpage_Periodnofilter_Periodname);
URI.Add_Param ("cq.dam.scene7.apiclient.recordsperpage.withfilter.name", Cq_Perioddam_Periodscene7_Periodapiclient_Periodrecordsperpage_Periodwithfilter_Periodname);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.scene7.impl.Scene7APIClientImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Scene7_Impl_Scene7_A_P_I_Client_Impl;
--
procedure Com_Day_Cq_Dam_Scene7_Impl_Scene7_Asset_Mime_Type_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Periodscene7_Periodassetmimetypeservice_Periodmapping : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqDamScene7ImplScene7AssetMimeTypeServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.dam.scene7.assetmimetypeservice.mapping", Cq_Perioddam_Periodscene7_Periodassetmimetypeservice_Periodmapping);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.scene7.impl.Scene7AssetMimeTypeServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Scene7_Impl_Scene7_Asset_Mime_Type_Service_Impl;
--
procedure Com_Day_Cq_Dam_Scene7_Impl_Scene7_Configuration_Event_Listener
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Periodscene7_Periodconfigurationeventlistener_Periodenabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamScene7ImplScene7ConfigurationEventListenerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.dam.scene7.configurationeventlistener.enabled", Cq_Perioddam_Periodscene7_Periodconfigurationeventlistener_Periodenabled);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.scene7.impl.Scene7ConfigurationEventListener");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Scene7_Impl_Scene7_Configuration_Event_Listener;
--
procedure Com_Day_Cq_Dam_Scene7_Impl_Scene7_Dam_Change_Event_Listener
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Periodscene7_Perioddamchangeeventlistener_Periodenabled : in Swagger.Nullable_Boolean;
Cq_Perioddam_Periodscene7_Perioddamchangeeventlistener_Periodobserved_Periodpaths : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqDamScene7ImplScene7DamChangeEventListenerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.dam.scene7.damchangeeventlistener.enabled", Cq_Perioddam_Periodscene7_Perioddamchangeeventlistener_Periodenabled);
URI.Add_Param ("cq.dam.scene7.damchangeeventlistener.observed.paths", Cq_Perioddam_Periodscene7_Perioddamchangeeventlistener_Periodobserved_Periodpaths);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.scene7.impl.Scene7DamChangeEventListener");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Scene7_Impl_Scene7_Dam_Change_Event_Listener;
--
procedure Com_Day_Cq_Dam_Scene7_Impl_Scene7_Flash_Templates_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Scene7_Flash_Templates_Periodrti : in Swagger.Nullable_UString;
Scene7_Flash_Templates_Periodrsi : in Swagger.Nullable_UString;
Scene7_Flash_Templates_Periodrb : in Swagger.Nullable_UString;
Scene7_Flash_Templates_Periodrurl : in Swagger.Nullable_UString;
Scene7_Flash_Template_Periodurl_Format_Parameter : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqDamScene7ImplScene7FlashTemplatesServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("scene7FlashTemplates.rti", Scene7_Flash_Templates_Periodrti);
URI.Add_Param ("scene7FlashTemplates.rsi", Scene7_Flash_Templates_Periodrsi);
URI.Add_Param ("scene7FlashTemplates.rb", Scene7_Flash_Templates_Periodrb);
URI.Add_Param ("scene7FlashTemplates.rurl", Scene7_Flash_Templates_Periodrurl);
URI.Add_Param ("scene7FlashTemplate.urlFormatParameter", Scene7_Flash_Template_Periodurl_Format_Parameter);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.scene7.impl.Scene7FlashTemplatesServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Scene7_Impl_Scene7_Flash_Templates_Service_Impl;
--
procedure Com_Day_Cq_Dam_Scene7_Impl_Scene7_Upload_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Perioddam_Periodscene7_Perioduploadservice_Periodactivejobtimeout_Periodlabel : in Swagger.Nullable_Integer;
Cq_Perioddam_Periodscene7_Perioduploadservice_Periodconnectionmaxperroute_Periodlabel : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqDamScene7ImplScene7UploadServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.dam.scene7.uploadservice.activejobtimeout.label", Cq_Perioddam_Periodscene7_Perioduploadservice_Periodactivejobtimeout_Periodlabel);
URI.Add_Param ("cq.dam.scene7.uploadservice.connectionmaxperroute.label", Cq_Perioddam_Periodscene7_Perioduploadservice_Periodconnectionmaxperroute_Periodlabel);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.scene7.impl.Scene7UploadServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Scene7_Impl_Scene7_Upload_Service_Impl;
--
procedure Com_Day_Cq_Dam_Stock_Integration_Impl_Cache_Stock_Cache_Configuration_Ser
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Get_Cache_Expiration_Unit : in Swagger.Nullable_UString;
Get_Cache_Expiration_Value : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqDamStockIntegrationImplCacheStockCacheConfigurationSerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("getCacheExpirationUnit", Get_Cache_Expiration_Unit);
URI.Add_Param ("getCacheExpirationValue", Get_Cache_Expiration_Value);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.stock.integration.impl.cache.StockCacheConfigurationServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Stock_Integration_Impl_Cache_Stock_Cache_Configuration_Ser;
--
procedure Com_Day_Cq_Dam_Stock_Integration_Impl_Configuration_Stock_Configuration
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Name : in Swagger.Nullable_UString;
Locale : in Swagger.Nullable_UString;
Ims_Config : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqDamStockIntegrationImplConfigurationStockConfigurationInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("name", Name);
URI.Add_Param ("locale", Locale);
URI.Add_Param ("imsConfig", Ims_Config);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.stock.integration.impl.configuration.StockConfigurationImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Stock_Integration_Impl_Configuration_Stock_Configuration;
--
procedure Com_Day_Cq_Dam_Video_Impl_Servlet_Video_Test_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Enabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqDamVideoImplServletVideoTestServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("enabled", Enabled);
URI.Set_Path ("/system/console/configMgr/com.day.cq.dam.video.impl.servlet.VideoTestServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Dam_Video_Impl_Servlet_Video_Test_Servlet;
--
procedure Com_Day_Cq_Extwidget_Servlets_Image_Sprite_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Max_Width : in Swagger.Nullable_Integer;
Max_Height : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqExtwidgetServletsImageSpriteServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("maxWidth", Max_Width);
URI.Add_Param ("maxHeight", Max_Height);
URI.Set_Path ("/system/console/configMgr/com.day.cq.extwidget.servlets.ImageSpriteServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Extwidget_Servlets_Image_Sprite_Servlet;
--
procedure Com_Day_Cq_Image_Internal_Font_Font_Helper
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Fontpath : in Swagger.UString_Vectors.Vector;
Oversampling_Factor : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqImageInternalFontFontHelperInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("fontpath", Fontpath);
URI.Add_Param ("oversamplingFactor", Oversampling_Factor);
URI.Set_Path ("/system/console/configMgr/com.day.cq.image.internal.font.FontHelper");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Image_Internal_Font_Font_Helper;
--
procedure Com_Day_Cq_Jcrclustersupport_Cluster_Start_Level_Controller
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cluster_Periodlevel_Periodenable : in Swagger.Nullable_Boolean;
Cluster_Periodmaster_Periodlevel : in Swagger.Nullable_Integer;
Cluster_Periodslave_Periodlevel : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqJcrclustersupportClusterStartLevelControllerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cluster.level.enable", Cluster_Periodlevel_Periodenable);
URI.Add_Param ("cluster.master.level", Cluster_Periodmaster_Periodlevel);
URI.Add_Param ("cluster.slave.level", Cluster_Periodslave_Periodlevel);
URI.Set_Path ("/system/console/configMgr/com.day.cq.jcrclustersupport.ClusterStartLevelController");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Jcrclustersupport_Cluster_Start_Level_Controller;
--
procedure Com_Day_Cq_Mailer_Default_Mail_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Smtp_Periodhost : in Swagger.Nullable_UString;
Smtp_Periodport : in Swagger.Nullable_Integer;
Smtp_Perioduser : in Swagger.Nullable_UString;
Smtp_Periodpassword : in Swagger.Nullable_UString;
From_Periodaddress : in Swagger.Nullable_UString;
Smtp_Periodssl : in Swagger.Nullable_Boolean;
Smtp_Periodstarttls : in Swagger.Nullable_Boolean;
Debug_Periodemail : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqMailerDefaultMailServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("smtp.host", Smtp_Periodhost);
URI.Add_Param ("smtp.port", Smtp_Periodport);
URI.Add_Param ("smtp.user", Smtp_Perioduser);
URI.Add_Param ("smtp.password", Smtp_Periodpassword);
URI.Add_Param ("from.address", From_Periodaddress);
URI.Add_Param ("smtp.ssl", Smtp_Periodssl);
URI.Add_Param ("smtp.starttls", Smtp_Periodstarttls);
URI.Add_Param ("debug.email", Debug_Periodemail);
URI.Set_Path ("/system/console/configMgr/com.day.cq.mailer.DefaultMailService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Mailer_Default_Mail_Service;
--
procedure Com_Day_Cq_Mailer_Impl_Cq_Mailing_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Max_Periodrecipient_Periodcount : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqMailerImplCqMailingServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("max.recipient.count", Max_Periodrecipient_Periodcount);
URI.Set_Path ("/system/console/configMgr/com.day.cq.mailer.impl.CqMailingService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Mailer_Impl_Cq_Mailing_Service;
--
procedure Com_Day_Cq_Mailer_Impl_Email_Cq_Email_Template_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Mailer_Periodemail_Periodcharset : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqMailerImplEmailCqEmailTemplateFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("mailer.email.charset", Mailer_Periodemail_Periodcharset);
URI.Set_Path ("/system/console/configMgr/com.day.cq.mailer.impl.email.CqEmailTemplateFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Mailer_Impl_Email_Cq_Email_Template_Factory;
--
procedure Com_Day_Cq_Mailer_Impl_Email_Cq_Retriever_Template_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Mailer_Periodemail_Periodembed : in Swagger.Nullable_Boolean;
Mailer_Periodemail_Periodcharset : in Swagger.Nullable_UString;
Mailer_Periodemail_Periodretriever_User_I_D : in Swagger.Nullable_UString;
Mailer_Periodemail_Periodretriever_User_P_W_D : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqMailerImplEmailCqRetrieverTemplateFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("mailer.email.embed", Mailer_Periodemail_Periodembed);
URI.Add_Param ("mailer.email.charset", Mailer_Periodemail_Periodcharset);
URI.Add_Param ("mailer.email.retrieverUserID", Mailer_Periodemail_Periodretriever_User_I_D);
URI.Add_Param ("mailer.email.retrieverUserPWD", Mailer_Periodemail_Periodretriever_User_P_W_D);
URI.Set_Path ("/system/console/configMgr/com.day.cq.mailer.impl.email.CqRetrieverTemplateFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Mailer_Impl_Email_Cq_Retriever_Template_Factory;
--
procedure Com_Day_Cq_Mcm_Campaign_Impl_Integration_Config_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Aem_Periodmcm_Periodcampaign_Periodform_Constraints : in Swagger.UString_Vectors.Vector;
Aem_Periodmcm_Periodcampaign_Periodpublic_Url : in Swagger.Nullable_UString;
Aem_Periodmcm_Periodcampaign_Periodrelaxed_S_S_L : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqMcmCampaignImplIntegrationConfigImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("aem.mcm.campaign.formConstraints", Aem_Periodmcm_Periodcampaign_Periodform_Constraints);
URI.Add_Param ("aem.mcm.campaign.publicUrl", Aem_Periodmcm_Periodcampaign_Periodpublic_Url);
URI.Add_Param ("aem.mcm.campaign.relaxedSSL", Aem_Periodmcm_Periodcampaign_Periodrelaxed_S_S_L);
URI.Set_Path ("/system/console/configMgr/com.day.cq.mcm.campaign.impl.IntegrationConfigImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Mcm_Campaign_Impl_Integration_Config_Impl;
--
procedure Com_Day_Cq_Mcm_Campaign_Importer_Personalized_Text_Handler_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Tagpattern : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqMcmCampaignImporterPersonalizedTextHandlerFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("tagpattern", Tagpattern);
URI.Set_Path ("/system/console/configMgr/com.day.cq.mcm.campaign.importer.PersonalizedTextHandlerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Mcm_Campaign_Importer_Personalized_Text_Handler_Factory;
--
procedure Com_Day_Cq_Mcm_Core_Newsletter_Newsletter_Email_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
From_Periodaddress : in Swagger.Nullable_UString;
Sender_Periodhost : in Swagger.Nullable_UString;
Max_Periodbounce_Periodcount : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqMcmCoreNewsletterNewsletterEmailServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("from.address", From_Periodaddress);
URI.Add_Param ("sender.host", Sender_Periodhost);
URI.Add_Param ("max.bounce.count", Max_Periodbounce_Periodcount);
URI.Set_Path ("/system/console/configMgr/com.day.cq.mcm.core.newsletter.NewsletterEmailServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Mcm_Core_Newsletter_Newsletter_Email_Service_Impl;
--
procedure Com_Day_Cq_Mcm_Impl_M_C_M_Configuration
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Experience_Periodindirection : in Swagger.UString_Vectors.Vector;
Touchpoint_Periodindirection : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqMcmImplMCMConfigurationInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("experience.indirection", Experience_Periodindirection);
URI.Add_Param ("touchpoint.indirection", Touchpoint_Periodindirection);
URI.Set_Path ("/system/console/configMgr/com.day.cq.mcm.impl.MCMConfiguration");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Mcm_Impl_M_C_M_Configuration;
--
procedure Com_Day_Cq_Mcm_Landingpage_Parser_Taghandlers_Cta_Click_Through_Componen
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Tagpattern : in Swagger.Nullable_UString;
Component_Periodresource_Type : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqMcmLandingpageParserTaghandlersCtaClickThroughComponenInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("tagpattern", Tagpattern);
URI.Add_Param ("component.resourceType", Component_Periodresource_Type);
URI.Set_Path ("/system/console/configMgr/com.day.cq.mcm.landingpage.parser.taghandlers.cta.ClickThroughComponentTagHandlerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Mcm_Landingpage_Parser_Taghandlers_Cta_Click_Through_Componen;
--
procedure Com_Day_Cq_Mcm_Landingpage_Parser_Taghandlers_Cta_Graphical_Click_Throug
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Tagpattern : in Swagger.Nullable_UString;
Component_Periodresource_Type : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqMcmLandingpageParserTaghandlersCtaGraphicalClickThrougInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("tagpattern", Tagpattern);
URI.Add_Param ("component.resourceType", Component_Periodresource_Type);
URI.Set_Path ("/system/console/configMgr/com.day.cq.mcm.landingpage.parser.taghandlers.cta.GraphicalClickThroughComponentTagHandlerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Mcm_Landingpage_Parser_Taghandlers_Cta_Graphical_Click_Throug;
--
procedure Com_Day_Cq_Mcm_Landingpage_Parser_Taghandlers_Cta_Lead_Form_C_T_A_Component
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Tagpattern : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqMcmLandingpageParserTaghandlersCtaLeadFormCTAComponentInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("tagpattern", Tagpattern);
URI.Set_Path ("/system/console/configMgr/com.day.cq.mcm.landingpage.parser.taghandlers.cta.LeadFormCTAComponentTagHandlerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Mcm_Landingpage_Parser_Taghandlers_Cta_Lead_Form_C_T_A_Component;
--
procedure Com_Day_Cq_Mcm_Landingpage_Parser_Taghandlers_Mbox_M_Box_Experience_Tag_Ha
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Tagpattern : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqMcmLandingpageParserTaghandlersMboxMBoxExperienceTagHaInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("tagpattern", Tagpattern);
URI.Set_Path ("/system/console/configMgr/com.day.cq.mcm.landingpage.parser.taghandlers.mbox.MBoxExperienceTagHandlerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Mcm_Landingpage_Parser_Taghandlers_Mbox_M_Box_Experience_Tag_Ha;
--
procedure Com_Day_Cq_Mcm_Landingpage_Parser_Taghandlers_Mbox_Target_Component_Tag_H
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Tagpattern : in Swagger.Nullable_UString;
Component_Periodresource_Type : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqMcmLandingpageParserTaghandlersMboxTargetComponentTagHInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("tagpattern", Tagpattern);
URI.Add_Param ("component.resourceType", Component_Periodresource_Type);
URI.Set_Path ("/system/console/configMgr/com.day.cq.mcm.landingpage.parser.taghandlers.mbox.TargetComponentTagHandlerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Mcm_Landingpage_Parser_Taghandlers_Mbox_Target_Component_Tag_H;
--
procedure Com_Day_Cq_Notification_Impl_Notification_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Event_Periodfilter : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqNotificationImplNotificationServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("event.filter", Event_Periodfilter);
URI.Set_Path ("/system/console/configMgr/com.day.cq.notification.impl.NotificationServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Notification_Impl_Notification_Service_Impl;
--
procedure Com_Day_Cq_Personalization_Impl_Servlets_Targeting_Configuration_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Forcelocation : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqPersonalizationImplServletsTargetingConfigurationServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("forcelocation", Forcelocation);
URI.Set_Path ("/system/console/configMgr/com.day.cq.personalization.impl.servlets.TargetingConfigurationServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Personalization_Impl_Servlets_Targeting_Configuration_Servlet;
--
procedure Com_Day_Cq_Polling_Importer_Impl_Managed_Poll_Config_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Id : in Swagger.Nullable_UString;
Enabled : in Swagger.Nullable_Boolean;
Reference : in Swagger.Nullable_Boolean;
Interval : in Swagger.Nullable_Integer;
Expression : in Swagger.Nullable_UString;
Source : in Swagger.Nullable_UString;
Target : in Swagger.Nullable_UString;
Login : in Swagger.Nullable_UString;
Password : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqPollingImporterImplManagedPollConfigImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("id", Id);
URI.Add_Param ("enabled", Enabled);
URI.Add_Param ("reference", Reference);
URI.Add_Param ("interval", Interval);
URI.Add_Param ("expression", Expression);
URI.Add_Param ("source", Source);
URI.Add_Param ("target", Target);
URI.Add_Param ("login", Login);
URI.Add_Param ("password", Password);
URI.Set_Path ("/system/console/configMgr/com.day.cq.polling.importer.impl.ManagedPollConfigImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Polling_Importer_Impl_Managed_Poll_Config_Impl;
--
procedure Com_Day_Cq_Polling_Importer_Impl_Managed_Polling_Importer_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Importer_Perioduser : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqPollingImporterImplManagedPollingImporterImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("importer.user", Importer_Perioduser);
URI.Set_Path ("/system/console/configMgr/com.day.cq.polling.importer.impl.ManagedPollingImporterImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Polling_Importer_Impl_Managed_Polling_Importer_Impl;
--
procedure Com_Day_Cq_Polling_Importer_Impl_Polling_Importer_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Importer_Periodmin_Periodinterval : in Swagger.Nullable_Integer;
Importer_Perioduser : in Swagger.Nullable_UString;
Exclude_Periodpaths : in Swagger.UString_Vectors.Vector;
Include_Periodpaths : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqPollingImporterImplPollingImporterImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("importer.min.interval", Importer_Periodmin_Periodinterval);
URI.Add_Param ("importer.user", Importer_Perioduser);
URI.Add_Param ("exclude.paths", Exclude_Periodpaths);
URI.Add_Param ("include.paths", Include_Periodpaths);
URI.Set_Path ("/system/console/configMgr/com.day.cq.polling.importer.impl.PollingImporterImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Polling_Importer_Impl_Polling_Importer_Impl;
--
procedure Com_Day_Cq_Replication_Audit_Replication_Event_Listener
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqReplicationAuditReplicationEventListenerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Set_Path ("/system/console/configMgr/com.day.cq.replication.audit.ReplicationEventListener");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Replication_Audit_Replication_Event_Listener;
--
procedure Com_Day_Cq_Replication_Content_Static_Content_Builder
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Host : in Swagger.Nullable_UString;
Port : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqReplicationContentStaticContentBuilderInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("host", Host);
URI.Add_Param ("port", Port);
URI.Set_Path ("/system/console/configMgr/com.day.cq.replication.content.StaticContentBuilder");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Replication_Content_Static_Content_Builder;
--
procedure Com_Day_Cq_Replication_Impl_Agent_Manager_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Job_Periodtopics : in Swagger.Nullable_UString;
Service_User_Periodtarget : in Swagger.Nullable_UString;
Agent_Provider_Periodtarget : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqReplicationImplAgentManagerImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("job.topics", Job_Periodtopics);
URI.Add_Param ("serviceUser.target", Service_User_Periodtarget);
URI.Add_Param ("agentProvider.target", Agent_Provider_Periodtarget);
URI.Set_Path ("/system/console/configMgr/com.day.cq.replication.impl.AgentManagerImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Replication_Impl_Agent_Manager_Impl;
--
procedure Com_Day_Cq_Replication_Impl_Content_Durbo_Binary_Less_Content_Builder
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Binary_Periodthreshold : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqReplicationImplContentDurboBinaryLessContentBuilderInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("binary.threshold", Binary_Periodthreshold);
URI.Set_Path ("/system/console/configMgr/com.day.cq.replication.impl.content.durbo.BinaryLessContentBuilder");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Replication_Impl_Content_Durbo_Binary_Less_Content_Builder;
--
procedure Com_Day_Cq_Replication_Impl_Content_Durbo_Durbo_Import_Configuration_Prov
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Preserve_Periodhierarchy_Periodnodes : in Swagger.Nullable_Boolean;
Ignore_Periodversioning : in Swagger.Nullable_Boolean;
Import_Periodacl : in Swagger.Nullable_Boolean;
Save_Periodthreshold : in Swagger.Nullable_Integer;
Preserve_Perioduser_Periodpaths : in Swagger.Nullable_Boolean;
Preserve_Perioduuid : in Swagger.Nullable_Boolean;
Preserve_Perioduuid_Periodnodetypes : in Swagger.UString_Vectors.Vector;
Preserve_Perioduuid_Periodsubtrees : in Swagger.UString_Vectors.Vector;
Auto_Periodcommit : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqReplicationImplContentDurboDurboImportConfigurationProvInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("preserve.hierarchy.nodes", Preserve_Periodhierarchy_Periodnodes);
URI.Add_Param ("ignore.versioning", Ignore_Periodversioning);
URI.Add_Param ("import.acl", Import_Periodacl);
URI.Add_Param ("save.threshold", Save_Periodthreshold);
URI.Add_Param ("preserve.user.paths", Preserve_Perioduser_Periodpaths);
URI.Add_Param ("preserve.uuid", Preserve_Perioduuid);
URI.Add_Param ("preserve.uuid.nodetypes", Preserve_Perioduuid_Periodnodetypes);
URI.Add_Param ("preserve.uuid.subtrees", Preserve_Perioduuid_Periodsubtrees);
URI.Add_Param ("auto.commit", Auto_Periodcommit);
URI.Set_Path ("/system/console/configMgr/com.day.cq.replication.impl.content.durbo.DurboImportConfigurationProviderService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Replication_Impl_Content_Durbo_Durbo_Import_Configuration_Prov;
--
procedure Com_Day_Cq_Replication_Impl_Replication_Content_Factory_Provider_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Replication_Periodcontent_Perioduse_File_Storage : in Swagger.Nullable_Boolean;
Replication_Periodcontent_Periodmax_Commit_Attempts : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqReplicationImplReplicationContentFactoryProviderImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("replication.content.useFileStorage", Replication_Periodcontent_Perioduse_File_Storage);
URI.Add_Param ("replication.content.maxCommitAttempts", Replication_Periodcontent_Periodmax_Commit_Attempts);
URI.Set_Path ("/system/console/configMgr/com.day.cq.replication.impl.ReplicationContentFactoryProviderImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Replication_Impl_Replication_Content_Factory_Provider_Impl;
--
procedure Com_Day_Cq_Replication_Impl_Replication_Receiver_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Receiver_Periodtmpfile_Periodthreshold : in Swagger.Nullable_Integer;
Receiver_Periodpackages_Perioduse_Periodinstall : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqReplicationImplReplicationReceiverImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("receiver.tmpfile.threshold", Receiver_Periodtmpfile_Periodthreshold);
URI.Add_Param ("receiver.packages.use.install", Receiver_Periodpackages_Perioduse_Periodinstall);
URI.Set_Path ("/system/console/configMgr/com.day.cq.replication.impl.ReplicationReceiverImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Replication_Impl_Replication_Receiver_Impl;
--
procedure Com_Day_Cq_Replication_Impl_Replicator_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Distribute_Events : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqReplicationImplReplicatorImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("distribute_events", Distribute_Events);
URI.Set_Path ("/system/console/configMgr/com.day.cq.replication.impl.ReplicatorImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Replication_Impl_Replicator_Impl;
--
procedure Com_Day_Cq_Replication_Impl_Reverse_Replicator
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Scheduler_Periodperiod : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqReplicationImplReverseReplicatorInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("scheduler.period", Scheduler_Periodperiod);
URI.Set_Path ("/system/console/configMgr/com.day.cq.replication.impl.ReverseReplicator");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Replication_Impl_Reverse_Replicator;
--
procedure Com_Day_Cq_Replication_Impl_Transport_Binary_Less_Transport_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Disabled_Periodcipher_Periodsuites : in Swagger.UString_Vectors.Vector;
Enabled_Periodcipher_Periodsuites : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqReplicationImplTransportBinaryLessTransportHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("disabled.cipher.suites", Disabled_Periodcipher_Periodsuites);
URI.Add_Param ("enabled.cipher.suites", Enabled_Periodcipher_Periodsuites);
URI.Set_Path ("/system/console/configMgr/com.day.cq.replication.impl.transport.BinaryLessTransportHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Replication_Impl_Transport_Binary_Less_Transport_Handler;
--
procedure Com_Day_Cq_Replication_Impl_Transport_Http
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Disabled_Periodcipher_Periodsuites : in Swagger.UString_Vectors.Vector;
Enabled_Periodcipher_Periodsuites : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqReplicationImplTransportHttpInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("disabled.cipher.suites", Disabled_Periodcipher_Periodsuites);
URI.Add_Param ("enabled.cipher.suites", Enabled_Periodcipher_Periodsuites);
URI.Set_Path ("/system/console/configMgr/com.day.cq.replication.impl.transport.Http");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Replication_Impl_Transport_Http;
--
procedure Com_Day_Cq_Reporting_Impl_Cache_Cache_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Repcache_Periodenable : in Swagger.Nullable_Boolean;
Repcache_Periodttl : in Swagger.Nullable_Integer;
Repcache_Periodmax : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqReportingImplCacheCacheImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("repcache.enable", Repcache_Periodenable);
URI.Add_Param ("repcache.ttl", Repcache_Periodttl);
URI.Add_Param ("repcache.max", Repcache_Periodmax);
URI.Set_Path ("/system/console/configMgr/com.day.cq.reporting.impl.cache.CacheImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Reporting_Impl_Cache_Cache_Impl;
--
procedure Com_Day_Cq_Reporting_Impl_Config_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Repconf_Periodtimezone : in Swagger.Nullable_UString;
Repconf_Periodlocale : in Swagger.Nullable_UString;
Repconf_Periodsnapshots : in Swagger.Nullable_UString;
Repconf_Periodrepdir : in Swagger.Nullable_UString;
Repconf_Periodhourofday : in Swagger.Nullable_Integer;
Repconf_Periodminofhour : in Swagger.Nullable_Integer;
Repconf_Periodmaxrows : in Swagger.Nullable_Integer;
Repconf_Periodfakedata : in Swagger.Nullable_Boolean;
Repconf_Periodsnapshotuser : in Swagger.Nullable_UString;
Repconf_Periodenforcesnapshotuser : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqReportingImplConfigServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("repconf.timezone", Repconf_Periodtimezone);
URI.Add_Param ("repconf.locale", Repconf_Periodlocale);
URI.Add_Param ("repconf.snapshots", Repconf_Periodsnapshots);
URI.Add_Param ("repconf.repdir", Repconf_Periodrepdir);
URI.Add_Param ("repconf.hourofday", Repconf_Periodhourofday);
URI.Add_Param ("repconf.minofhour", Repconf_Periodminofhour);
URI.Add_Param ("repconf.maxrows", Repconf_Periodmaxrows);
URI.Add_Param ("repconf.fakedata", Repconf_Periodfakedata);
URI.Add_Param ("repconf.snapshotuser", Repconf_Periodsnapshotuser);
URI.Add_Param ("repconf.enforcesnapshotuser", Repconf_Periodenforcesnapshotuser);
URI.Set_Path ("/system/console/configMgr/com.day.cq.reporting.impl.ConfigServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Reporting_Impl_Config_Service_Impl;
--
procedure Com_Day_Cq_Reporting_Impl_R_Log_Analyzer
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Request_Periodlog_Periodoutput : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqReportingImplRLogAnalyzerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("request.log.output", Request_Periodlog_Periodoutput);
URI.Set_Path ("/system/console/configMgr/com.day.cq.reporting.impl.RLogAnalyzer");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Reporting_Impl_R_Log_Analyzer;
--
procedure Com_Day_Cq_Rewriter_Linkchecker_Impl_Link_Checker_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Scheduler_Periodperiod : in Swagger.Nullable_Integer;
Scheduler_Periodconcurrent : in Swagger.Nullable_Boolean;
Service_Periodbad_Link_Tolerance_Interval : in Swagger.Nullable_Integer;
Service_Periodcheck_Override_Patterns : in Swagger.UString_Vectors.Vector;
Service_Periodcache_Broken_Internal_Links : in Swagger.Nullable_Boolean;
Service_Periodspecial_Link_Prefix : in Swagger.UString_Vectors.Vector;
Service_Periodspecial_Link_Patterns : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqRewriterLinkcheckerImplLinkCheckerImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("scheduler.period", Scheduler_Periodperiod);
URI.Add_Param ("scheduler.concurrent", Scheduler_Periodconcurrent);
URI.Add_Param ("service.bad_link_tolerance_interval", Service_Periodbad_Link_Tolerance_Interval);
URI.Add_Param ("service.check_override_patterns", Service_Periodcheck_Override_Patterns);
URI.Add_Param ("service.cache_broken_internal_links", Service_Periodcache_Broken_Internal_Links);
URI.Add_Param ("service.special_link_prefix", Service_Periodspecial_Link_Prefix);
URI.Add_Param ("service.special_link_patterns", Service_Periodspecial_Link_Patterns);
URI.Set_Path ("/system/console/configMgr/com.day.cq.rewriter.linkchecker.impl.LinkCheckerImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Rewriter_Linkchecker_Impl_Link_Checker_Impl;
--
procedure Com_Day_Cq_Rewriter_Linkchecker_Impl_Link_Checker_Task
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Scheduler_Periodperiod : in Swagger.Nullable_Integer;
Scheduler_Periodconcurrent : in Swagger.Nullable_Boolean;
Good_Link_Test_Interval : in Swagger.Nullable_Integer;
Bad_Link_Test_Interval : in Swagger.Nullable_Integer;
Link_Unused_Interval : in Swagger.Nullable_Integer;
Connection_Periodtimeout : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqRewriterLinkcheckerImplLinkCheckerTaskInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("scheduler.period", Scheduler_Periodperiod);
URI.Add_Param ("scheduler.concurrent", Scheduler_Periodconcurrent);
URI.Add_Param ("good_link_test_interval", Good_Link_Test_Interval);
URI.Add_Param ("bad_link_test_interval", Bad_Link_Test_Interval);
URI.Add_Param ("link_unused_interval", Link_Unused_Interval);
URI.Add_Param ("connection.timeout", Connection_Periodtimeout);
URI.Set_Path ("/system/console/configMgr/com.day.cq.rewriter.linkchecker.impl.LinkCheckerTask");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Rewriter_Linkchecker_Impl_Link_Checker_Task;
--
procedure Com_Day_Cq_Rewriter_Linkchecker_Impl_Link_Checker_Transformer_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Linkcheckertransformer_Perioddisable_Rewriting : in Swagger.Nullable_Boolean;
Linkcheckertransformer_Perioddisable_Checking : in Swagger.Nullable_Boolean;
Linkcheckertransformer_Periodmap_Cache_Size : in Swagger.Nullable_Integer;
Linkcheckertransformer_Periodstrict_Extension_Check : in Swagger.Nullable_Boolean;
Linkcheckertransformer_Periodstrip_Htmlt_Extension : in Swagger.Nullable_Boolean;
Linkcheckertransformer_Periodrewrite_Elements : in Swagger.UString_Vectors.Vector;
Linkcheckertransformer_Periodstrip_Extension_Path_Blacklist : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqRewriterLinkcheckerImplLinkCheckerTransformerFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("linkcheckertransformer.disableRewriting", Linkcheckertransformer_Perioddisable_Rewriting);
URI.Add_Param ("linkcheckertransformer.disableChecking", Linkcheckertransformer_Perioddisable_Checking);
URI.Add_Param ("linkcheckertransformer.mapCacheSize", Linkcheckertransformer_Periodmap_Cache_Size);
URI.Add_Param ("linkcheckertransformer.strictExtensionCheck", Linkcheckertransformer_Periodstrict_Extension_Check);
URI.Add_Param ("linkcheckertransformer.stripHtmltExtension", Linkcheckertransformer_Periodstrip_Htmlt_Extension);
URI.Add_Param ("linkcheckertransformer.rewriteElements", Linkcheckertransformer_Periodrewrite_Elements);
URI.Add_Param ("linkcheckertransformer.stripExtensionPathBlacklist", Linkcheckertransformer_Periodstrip_Extension_Path_Blacklist);
URI.Set_Path ("/system/console/configMgr/com.day.cq.rewriter.linkchecker.impl.LinkCheckerTransformerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Rewriter_Linkchecker_Impl_Link_Checker_Transformer_Factory;
--
procedure Com_Day_Cq_Rewriter_Linkchecker_Impl_Link_Info_Storage_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodmax_Links_Per_Host : in Swagger.Nullable_Integer;
Service_Periodsave_External_Link_References : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqRewriterLinkcheckerImplLinkInfoStorageImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.max_links_per_host", Service_Periodmax_Links_Per_Host);
URI.Add_Param ("service.save_external_link_references", Service_Periodsave_External_Link_References);
URI.Set_Path ("/system/console/configMgr/com.day.cq.rewriter.linkchecker.impl.LinkInfoStorageImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Rewriter_Linkchecker_Impl_Link_Info_Storage_Impl;
--
procedure Com_Day_Cq_Rewriter_Processor_Impl_Html_Parser_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Htmlparser_Periodprocess_Tags : in Swagger.UString_Vectors.Vector;
Htmlparser_Periodpreserve_Camel_Case : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqRewriterProcessorImplHtmlParserFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("htmlparser.processTags", Htmlparser_Periodprocess_Tags);
URI.Add_Param ("htmlparser.preserveCamelCase", Htmlparser_Periodpreserve_Camel_Case);
URI.Set_Path ("/system/console/configMgr/com.day.cq.rewriter.processor.impl.HtmlParserFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Rewriter_Processor_Impl_Html_Parser_Factory;
--
procedure Com_Day_Cq_Search_Impl_Builder_Query_Builder_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Excerpt_Periodproperties : in Swagger.UString_Vectors.Vector;
Cache_Periodmax_Periodentries : in Swagger.Nullable_Integer;
Cache_Periodentry_Periodlifetime : in Swagger.Nullable_Integer;
Xpath_Periodunion : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqSearchImplBuilderQueryBuilderImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("excerpt.properties", Excerpt_Periodproperties);
URI.Add_Param ("cache.max.entries", Cache_Periodmax_Periodentries);
URI.Add_Param ("cache.entry.lifetime", Cache_Periodentry_Periodlifetime);
URI.Add_Param ("xpath.union", Xpath_Periodunion);
URI.Set_Path ("/system/console/configMgr/com.day.cq.search.impl.builder.QueryBuilderImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Search_Impl_Builder_Query_Builder_Impl;
--
procedure Com_Day_Cq_Search_Suggest_Impl_Suggestion_Index_Manager_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Path_Builder_Periodtarget : in Swagger.Nullable_UString;
Suggest_Periodbasepath : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqSearchSuggestImplSuggestionIndexManagerImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("pathBuilder.target", Path_Builder_Periodtarget);
URI.Add_Param ("suggest.basepath", Suggest_Periodbasepath);
URI.Set_Path ("/system/console/configMgr/com.day.cq.search.suggest.impl.SuggestionIndexManagerImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Search_Suggest_Impl_Suggestion_Index_Manager_Impl;
--
procedure Com_Day_Cq_Searchpromote_Impl_Publish_Search_Promote_Config_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodsearchpromote_Periodconfighandler_Periodenabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqSearchpromoteImplPublishSearchPromoteConfigHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.searchpromote.confighandler.enabled", Cq_Periodsearchpromote_Periodconfighandler_Periodenabled);
URI.Set_Path ("/system/console/configMgr/com.day.cq.searchpromote.impl.PublishSearchPromoteConfigHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Searchpromote_Impl_Publish_Search_Promote_Config_Handler;
--
procedure Com_Day_Cq_Searchpromote_Impl_Search_Promote_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodsearchpromote_Periodconfiguration_Periodserver_Perioduri : in Swagger.Nullable_UString;
Cq_Periodsearchpromote_Periodconfiguration_Periodenvironment : in Swagger.Nullable_UString;
Connection_Periodtimeout : in Swagger.Nullable_Integer;
Socket_Periodtimeout : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqSearchpromoteImplSearchPromoteServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.searchpromote.configuration.server.uri", Cq_Periodsearchpromote_Periodconfiguration_Periodserver_Perioduri);
URI.Add_Param ("cq.searchpromote.configuration.environment", Cq_Periodsearchpromote_Periodconfiguration_Periodenvironment);
URI.Add_Param ("connection.timeout", Connection_Periodtimeout);
URI.Add_Param ("socket.timeout", Socket_Periodtimeout);
URI.Set_Path ("/system/console/configMgr/com.day.cq.searchpromote.impl.SearchPromoteServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Searchpromote_Impl_Search_Promote_Service_Impl;
--
procedure Com_Day_Cq_Security_A_C_L_Setup
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodaclsetup_Periodrules : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqSecurityACLSetupInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.aclsetup.rules", Cq_Periodaclsetup_Periodrules);
URI.Set_Path ("/system/console/configMgr/com.day.cq.security.ACLSetup");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Security_A_C_L_Setup;
--
procedure Com_Day_Cq_Statistics_Impl_Statistics_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Scheduler_Periodperiod : in Swagger.Nullable_Integer;
Scheduler_Periodconcurrent : in Swagger.Nullable_Boolean;
Path : in Swagger.Nullable_UString;
Workspace : in Swagger.Nullable_UString;
Keywords_Path : in Swagger.Nullable_UString;
Async_Entries : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqStatisticsImplStatisticsServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("scheduler.period", Scheduler_Periodperiod);
URI.Add_Param ("scheduler.concurrent", Scheduler_Periodconcurrent);
URI.Add_Param ("path", Path);
URI.Add_Param ("workspace", Workspace);
URI.Add_Param ("keywordsPath", Keywords_Path);
URI.Add_Param ("asyncEntries", Async_Entries);
URI.Set_Path ("/system/console/configMgr/com.day.cq.statistics.impl.StatisticsServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Statistics_Impl_Statistics_Service_Impl;
--
procedure Com_Day_Cq_Tagging_Impl_Jcr_Tag_Manager_Factory_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Validation_Periodenabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqTaggingImplJcrTagManagerFactoryImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("validation.enabled", Validation_Periodenabled);
URI.Set_Path ("/system/console/configMgr/com.day.cq.tagging.impl.JcrTagManagerFactoryImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Tagging_Impl_Jcr_Tag_Manager_Factory_Impl;
--
procedure Com_Day_Cq_Tagging_Impl_Search_Tag_Predicate_Evaluator
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Ignore_Path : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqTaggingImplSearchTagPredicateEvaluatorInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("ignore_path", Ignore_Path);
URI.Set_Path ("/system/console/configMgr/com.day.cq.tagging.impl.search.TagPredicateEvaluator");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Tagging_Impl_Search_Tag_Predicate_Evaluator;
--
procedure Com_Day_Cq_Tagging_Impl_Tag_Garbage_Collector
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Scheduler_Periodexpression : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqTaggingImplTagGarbageCollectorInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("scheduler.expression", Scheduler_Periodexpression);
URI.Set_Path ("/system/console/configMgr/com.day.cq.tagging.impl.TagGarbageCollector");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Tagging_Impl_Tag_Garbage_Collector;
--
procedure Com_Day_Cq_Wcm_Contentsync_Impl_Handler_Pages_Update_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodpagesupdatehandler_Periodimageresourcetypes : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqWcmContentsyncImplHandlerPagesUpdateHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.pagesupdatehandler.imageresourcetypes", Cq_Periodpagesupdatehandler_Periodimageresourcetypes);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.contentsync.impl.handler.PagesUpdateHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Contentsync_Impl_Handler_Pages_Update_Handler;
--
procedure Com_Day_Cq_Wcm_Contentsync_Impl_Rewriter_Path_Rewriter_Transformer_Factor
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodcontentsync_Periodpathrewritertransformer_Periodmapping_Periodlinks : in Swagger.UString_Vectors.Vector;
Cq_Periodcontentsync_Periodpathrewritertransformer_Periodmapping_Periodclientlibs : in Swagger.UString_Vectors.Vector;
Cq_Periodcontentsync_Periodpathrewritertransformer_Periodmapping_Periodimages : in Swagger.UString_Vectors.Vector;
Cq_Periodcontentsync_Periodpathrewritertransformer_Periodattribute_Periodpattern : in Swagger.Nullable_UString;
Cq_Periodcontentsync_Periodpathrewritertransformer_Periodclientlibrary_Periodpattern : in Swagger.Nullable_UString;
Cq_Periodcontentsync_Periodpathrewritertransformer_Periodclientlibrary_Periodreplace : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmContentsyncImplRewriterPathRewriterTransformerFactorInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.contentsync.pathrewritertransformer.mapping.links", Cq_Periodcontentsync_Periodpathrewritertransformer_Periodmapping_Periodlinks);
URI.Add_Param ("cq.contentsync.pathrewritertransformer.mapping.clientlibs", Cq_Periodcontentsync_Periodpathrewritertransformer_Periodmapping_Periodclientlibs);
URI.Add_Param ("cq.contentsync.pathrewritertransformer.mapping.images", Cq_Periodcontentsync_Periodpathrewritertransformer_Periodmapping_Periodimages);
URI.Add_Param ("cq.contentsync.pathrewritertransformer.attribute.pattern", Cq_Periodcontentsync_Periodpathrewritertransformer_Periodattribute_Periodpattern);
URI.Add_Param ("cq.contentsync.pathrewritertransformer.clientlibrary.pattern", Cq_Periodcontentsync_Periodpathrewritertransformer_Periodclientlibrary_Periodpattern);
URI.Add_Param ("cq.contentsync.pathrewritertransformer.clientlibrary.replace", Cq_Periodcontentsync_Periodpathrewritertransformer_Periodclientlibrary_Periodreplace);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.contentsync.impl.rewriter.PathRewriterTransformerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Contentsync_Impl_Rewriter_Path_Rewriter_Transformer_Factor;
--
procedure Com_Day_Cq_Wcm_Core_Impl_Authoring_U_I_Mode_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Authoring_U_I_Mode_Service_Perioddefault : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmCoreImplAuthoringUIModeServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("authoringUIModeService.default", Authoring_U_I_Mode_Service_Perioddefault);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.core.impl.AuthoringUIModeServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Core_Impl_Authoring_U_I_Mode_Service_Impl;
--
procedure Com_Day_Cq_Wcm_Core_Impl_Commands_W_C_M_Command_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Wcmcommandservlet_Perioddelete_Whitelist : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqWcmCoreImplCommandsWCMCommandServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("wcmcommandservlet.delete_whitelist", Wcmcommandservlet_Perioddelete_Whitelist);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.core.impl.commands.WCMCommandServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Core_Impl_Commands_W_C_M_Command_Servlet;
--
procedure Com_Day_Cq_Wcm_Core_Impl_Devicedetection_Device_Identification_Mode_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Dim_Perioddefault_Periodmode : in Swagger.Nullable_UString;
Dim_Periodappcache_Periodenabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqWcmCoreImplDevicedetectionDeviceIdentificationModeImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("dim.default.mode", Dim_Perioddefault_Periodmode);
URI.Add_Param ("dim.appcache.enabled", Dim_Periodappcache_Periodenabled);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.core.impl.devicedetection.DeviceIdentificationModeImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Core_Impl_Devicedetection_Device_Identification_Mode_Impl;
--
procedure Com_Day_Cq_Wcm_Core_Impl_Event_Page_Event_Audit_Listener
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Configured : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmCoreImplEventPageEventAuditListenerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("configured", Configured);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.core.impl.event.PageEventAuditListener");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Core_Impl_Event_Page_Event_Audit_Listener;
--
procedure Com_Day_Cq_Wcm_Core_Impl_Event_Page_Post_Processor
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Paths : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqWcmCoreImplEventPagePostProcessorInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("paths", Paths);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.core.impl.event.PagePostProcessor");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Core_Impl_Event_Page_Post_Processor;
--
procedure Com_Day_Cq_Wcm_Core_Impl_Event_Repository_Change_Event_Listener
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Paths : in Swagger.UString_Vectors.Vector;
Excluded_Paths : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqWcmCoreImplEventRepositoryChangeEventListenerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("paths", Paths);
URI.Add_Param ("excludedPaths", Excluded_Paths);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.core.impl.event.RepositoryChangeEventListener");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Core_Impl_Event_Repository_Change_Event_Listener;
--
procedure Com_Day_Cq_Wcm_Core_Impl_Event_Template_Post_Processor
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Paths : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmCoreImplEventTemplatePostProcessorInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("paths", Paths);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.core.impl.event.TemplatePostProcessor");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Core_Impl_Event_Template_Post_Processor;
--
procedure Com_Day_Cq_Wcm_Core_Impl_Language_Manager_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Langmgr_Periodlist_Periodpath : in Swagger.Nullable_UString;
Langmgr_Periodcountry_Perioddefault : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqWcmCoreImplLanguageManagerImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("langmgr.list.path", Langmgr_Periodlist_Periodpath);
URI.Add_Param ("langmgr.country.default", Langmgr_Periodcountry_Perioddefault);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.core.impl.LanguageManagerImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Core_Impl_Language_Manager_Impl;
--
procedure Com_Day_Cq_Wcm_Core_Impl_Link_Checker_Configuration_Factory_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Link_Periodexpired_Periodprefix : in Swagger.Nullable_UString;
Link_Periodexpired_Periodremove : in Swagger.Nullable_Boolean;
Link_Periodexpired_Periodsuffix : in Swagger.Nullable_UString;
Link_Periodinvalid_Periodprefix : in Swagger.Nullable_UString;
Link_Periodinvalid_Periodremove : in Swagger.Nullable_Boolean;
Link_Periodinvalid_Periodsuffix : in Swagger.Nullable_UString;
Link_Periodpredated_Periodprefix : in Swagger.Nullable_UString;
Link_Periodpredated_Periodremove : in Swagger.Nullable_Boolean;
Link_Periodpredated_Periodsuffix : in Swagger.Nullable_UString;
Link_Periodwcmmodes : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqWcmCoreImplLinkCheckerConfigurationFactoryImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("link.expired.prefix", Link_Periodexpired_Periodprefix);
URI.Add_Param ("link.expired.remove", Link_Periodexpired_Periodremove);
URI.Add_Param ("link.expired.suffix", Link_Periodexpired_Periodsuffix);
URI.Add_Param ("link.invalid.prefix", Link_Periodinvalid_Periodprefix);
URI.Add_Param ("link.invalid.remove", Link_Periodinvalid_Periodremove);
URI.Add_Param ("link.invalid.suffix", Link_Periodinvalid_Periodsuffix);
URI.Add_Param ("link.predated.prefix", Link_Periodpredated_Periodprefix);
URI.Add_Param ("link.predated.remove", Link_Periodpredated_Periodremove);
URI.Add_Param ("link.predated.suffix", Link_Periodpredated_Periodsuffix);
URI.Add_Param ("link.wcmmodes", Link_Periodwcmmodes);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.core.impl.LinkCheckerConfigurationFactoryImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Core_Impl_Link_Checker_Configuration_Factory_Impl;
--
procedure Com_Day_Cq_Wcm_Core_Impl_Page_Page_Info_Aggregator_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Page_Periodinfo_Periodprovider_Periodproperty_Periodregex_Perioddefault : in Swagger.Nullable_UString;
Page_Periodinfo_Periodprovider_Periodproperty_Periodname : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmCoreImplPagePageInfoAggregatorImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("page.info.provider.property.regex.default", Page_Periodinfo_Periodprovider_Periodproperty_Periodregex_Perioddefault);
URI.Add_Param ("page.info.provider.property.name", Page_Periodinfo_Periodprovider_Periodproperty_Periodname);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.core.impl.page.PageInfoAggregatorImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Core_Impl_Page_Page_Info_Aggregator_Impl;
--
procedure Com_Day_Cq_Wcm_Core_Impl_Page_Page_Manager_Factory_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Illegal_Char_Mapping : in Swagger.Nullable_UString;
Page_Sub_Tree_Activation_Check : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqWcmCoreImplPagePageManagerFactoryImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("illegalCharMapping", Illegal_Char_Mapping);
URI.Add_Param ("pageSubTreeActivationCheck", Page_Sub_Tree_Activation_Check);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.core.impl.page.PageManagerFactoryImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Core_Impl_Page_Page_Manager_Factory_Impl;
--
procedure Com_Day_Cq_Wcm_Core_Impl_References_Content_Content_Reference_Config
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Content_Reference_Config_Periodresource_Types : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqWcmCoreImplReferencesContentContentReferenceConfigInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("contentReferenceConfig.resourceTypes", Content_Reference_Config_Periodresource_Types);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.core.impl.references.content.ContentReferenceConfig");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Core_Impl_References_Content_Content_Reference_Config;
--
procedure Com_Day_Cq_Wcm_Core_Impl_Servlets_Contentfinder_Asset_View_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Dam_Periodshowexpired : in Swagger.Nullable_Boolean;
Dam_Periodshowhidden : in Swagger.Nullable_Boolean;
Tag_Title_Search : in Swagger.Nullable_Boolean;
Guess_Total : in Swagger.Nullable_UString;
Dam_Periodexpiry_Property : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmCoreImplServletsContentfinderAssetViewHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("dam.showexpired", Dam_Periodshowexpired);
URI.Add_Param ("dam.showhidden", Dam_Periodshowhidden);
URI.Add_Param ("tagTitleSearch", Tag_Title_Search);
URI.Add_Param ("guessTotal", Guess_Total);
URI.Add_Param ("dam.expiryProperty", Dam_Periodexpiry_Property);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.core.impl.servlets.contentfinder.AssetViewHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Core_Impl_Servlets_Contentfinder_Asset_View_Handler;
--
procedure Com_Day_Cq_Wcm_Core_Impl_Servlets_Contentfinder_Connector_Connector_Vie
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Item_Periodresource_Periodtypes : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqWcmCoreImplServletsContentfinderConnectorConnectorVieInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("item.resource.types", Item_Periodresource_Periodtypes);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.core.impl.servlets.contentfinder.connector.ConnectorViewHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Core_Impl_Servlets_Contentfinder_Connector_Connector_Vie;
--
procedure Com_Day_Cq_Wcm_Core_Impl_Servlets_Contentfinder_Page_View_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Guess_Total : in Swagger.Nullable_UString;
Tag_Title_Search : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqWcmCoreImplServletsContentfinderPageViewHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("guessTotal", Guess_Total);
URI.Add_Param ("tagTitleSearch", Tag_Title_Search);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.core.impl.servlets.contentfinder.PageViewHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Core_Impl_Servlets_Contentfinder_Page_View_Handler;
--
procedure Com_Day_Cq_Wcm_Core_Impl_Servlets_Find_Replace_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Scope : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqWcmCoreImplServletsFindReplaceServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("scope", Scope);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.core.impl.servlets.FindReplaceServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Core_Impl_Servlets_Find_Replace_Servlet;
--
procedure Com_Day_Cq_Wcm_Core_Impl_Servlets_Reference_Search_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Referencesearchservlet_Periodmax_References_Per_Page : in Swagger.Nullable_Integer;
Referencesearchservlet_Periodmax_Pages : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqWcmCoreImplServletsReferenceSearchServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("referencesearchservlet.maxReferencesPerPage", Referencesearchservlet_Periodmax_References_Per_Page);
URI.Add_Param ("referencesearchservlet.maxPages", Referencesearchservlet_Periodmax_Pages);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.core.impl.servlets.ReferenceSearchServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Core_Impl_Servlets_Reference_Search_Servlet;
--
procedure Com_Day_Cq_Wcm_Core_Impl_Servlets_Thumbnail_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Workspace : in Swagger.Nullable_UString;
Dimensions : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqWcmCoreImplServletsThumbnailServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("workspace", Workspace);
URI.Add_Param ("dimensions", Dimensions);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.core.impl.servlets.ThumbnailServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Core_Impl_Servlets_Thumbnail_Servlet;
--
procedure Com_Day_Cq_Wcm_Core_Impl_Utils_Default_Page_Name_Validator
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Non_Valid_Chars : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmCoreImplUtilsDefaultPageNameValidatorInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("nonValidChars", Non_Valid_Chars);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.core.impl.utils.DefaultPageNameValidator");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Core_Impl_Utils_Default_Page_Name_Validator;
--
procedure Com_Day_Cq_Wcm_Core_Impl_Variants_Page_Variants_Provider_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Default_Periodexternalizer_Perioddomain : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmCoreImplVariantsPageVariantsProviderImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("default.externalizer.domain", Default_Periodexternalizer_Perioddomain);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.core.impl.variants.PageVariantsProviderImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Core_Impl_Variants_Page_Variants_Provider_Impl;
--
procedure Com_Day_Cq_Wcm_Core_Impl_Version_Manager_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Versionmanager_Periodcreate_Version_On_Activation : in Swagger.Nullable_Boolean;
Versionmanager_Periodpurging_Enabled : in Swagger.Nullable_Boolean;
Versionmanager_Periodpurge_Paths : in Swagger.UString_Vectors.Vector;
Versionmanager_Periodiv_Paths : in Swagger.UString_Vectors.Vector;
Versionmanager_Periodmax_Age_Days : in Swagger.Nullable_Integer;
Versionmanager_Periodmax_Number_Versions : in Swagger.Nullable_Integer;
Versionmanager_Periodmin_Number_Versions : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqWcmCoreImplVersionManagerImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("versionmanager.createVersionOnActivation", Versionmanager_Periodcreate_Version_On_Activation);
URI.Add_Param ("versionmanager.purgingEnabled", Versionmanager_Periodpurging_Enabled);
URI.Add_Param ("versionmanager.purgePaths", Versionmanager_Periodpurge_Paths);
URI.Add_Param ("versionmanager.ivPaths", Versionmanager_Periodiv_Paths);
URI.Add_Param ("versionmanager.maxAgeDays", Versionmanager_Periodmax_Age_Days);
URI.Add_Param ("versionmanager.maxNumberVersions", Versionmanager_Periodmax_Number_Versions);
URI.Add_Param ("versionmanager.minNumberVersions", Versionmanager_Periodmin_Number_Versions);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.core.impl.VersionManagerImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Core_Impl_Version_Manager_Impl;
--
procedure Com_Day_Cq_Wcm_Core_Impl_Version_Purge_Task
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Versionpurge_Periodpaths : in Swagger.UString_Vectors.Vector;
Versionpurge_Periodrecursive : in Swagger.Nullable_Boolean;
Versionpurge_Periodmax_Versions : in Swagger.Nullable_Integer;
Versionpurge_Periodmin_Versions : in Swagger.Nullable_Integer;
Versionpurge_Periodmax_Age_Days : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqWcmCoreImplVersionPurgeTaskInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("versionpurge.paths", Versionpurge_Periodpaths);
URI.Add_Param ("versionpurge.recursive", Versionpurge_Periodrecursive);
URI.Add_Param ("versionpurge.maxVersions", Versionpurge_Periodmax_Versions);
URI.Add_Param ("versionpurge.minVersions", Versionpurge_Periodmin_Versions);
URI.Add_Param ("versionpurge.maxAgeDays", Versionpurge_Periodmax_Age_Days);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.core.impl.VersionPurgeTask");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Core_Impl_Version_Purge_Task;
--
procedure Com_Day_Cq_Wcm_Core_Impl_W_C_M_Debug_Filter
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Wcmdbgfilter_Periodenabled : in Swagger.Nullable_Boolean;
Wcmdbgfilter_Periodjsp_Debug : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqWcmCoreImplWCMDebugFilterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("wcmdbgfilter.enabled", Wcmdbgfilter_Periodenabled);
URI.Add_Param ("wcmdbgfilter.jspDebug", Wcmdbgfilter_Periodjsp_Debug);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.core.impl.WCMDebugFilter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Core_Impl_W_C_M_Debug_Filter;
--
procedure Com_Day_Cq_Wcm_Core_Impl_W_C_M_Developer_Mode_Filter
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Wcmdevmodefilter_Periodenabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqWcmCoreImplWCMDeveloperModeFilterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("wcmdevmodefilter.enabled", Wcmdevmodefilter_Periodenabled);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.core.impl.WCMDeveloperModeFilter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Core_Impl_W_C_M_Developer_Mode_Filter;
--
procedure Com_Day_Cq_Wcm_Core_Impl_Warp_Time_Warp_Filter
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Filter_Periodorder : in Swagger.Nullable_UString;
Filter_Periodscope : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmCoreImplWarpTimeWarpFilterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("filter.order", Filter_Periodorder);
URI.Add_Param ("filter.scope", Filter_Periodscope);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.core.impl.warp.TimeWarpFilter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Core_Impl_Warp_Time_Warp_Filter;
--
procedure Com_Day_Cq_Wcm_Core_Mvt_M_V_T_Statistics_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Mvtstatistics_Periodtrackingurl : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmCoreMvtMVTStatisticsImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("mvtstatistics.trackingurl", Mvtstatistics_Periodtrackingurl);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.core.mvt.MVTStatisticsImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Core_Mvt_M_V_T_Statistics_Impl;
--
procedure Com_Day_Cq_Wcm_Core_Stats_Page_View_Statistics_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Pageviewstatistics_Periodtrackingurl : in Swagger.Nullable_UString;
Pageviewstatistics_Periodtrackingscript_Periodenabled : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmCoreStatsPageViewStatisticsImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("pageviewstatistics.trackingurl", Pageviewstatistics_Periodtrackingurl);
URI.Add_Param ("pageviewstatistics.trackingscript.enabled", Pageviewstatistics_Periodtrackingscript_Periodenabled);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.core.stats.PageViewStatisticsImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Core_Stats_Page_View_Statistics_Impl;
--
procedure Com_Day_Cq_Wcm_Core_W_C_M_Request_Filter
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Wcmfilter_Periodmode : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmCoreWCMRequestFilterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("wcmfilter.mode", Wcmfilter_Periodmode);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.core.WCMRequestFilter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Core_W_C_M_Request_Filter;
--
procedure Com_Day_Cq_Wcm_Designimporter_Design_Package_Importer
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Extract_Periodfilter : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqWcmDesignimporterDesignPackageImporterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("extract.filter", Extract_Periodfilter);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.designimporter.DesignPackageImporter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Designimporter_Design_Package_Importer;
--
procedure Com_Day_Cq_Wcm_Designimporter_Impl_Canvas_Builder_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Filepattern : in Swagger.Nullable_UString;
Build_Periodpage_Periodnodes : in Swagger.Nullable_Boolean;
Build_Periodclient_Periodlibs : in Swagger.Nullable_Boolean;
Build_Periodcanvas_Periodcomponent : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqWcmDesignimporterImplCanvasBuilderImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("filepattern", Filepattern);
URI.Add_Param ("build.page.nodes", Build_Periodpage_Periodnodes);
URI.Add_Param ("build.client.libs", Build_Periodclient_Periodlibs);
URI.Add_Param ("build.canvas.component", Build_Periodcanvas_Periodcomponent);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.designimporter.impl.CanvasBuilderImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Designimporter_Impl_Canvas_Builder_Impl;
--
procedure Com_Day_Cq_Wcm_Designimporter_Impl_Canvas_Page_Delete_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Min_Thread_Pool_Size : in Swagger.Nullable_Integer;
Max_Thread_Pool_Size : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCqWcmDesignimporterImplCanvasPageDeleteHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("minThreadPoolSize", Min_Thread_Pool_Size);
URI.Add_Param ("maxThreadPoolSize", Max_Thread_Pool_Size);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.designimporter.impl.CanvasPageDeleteHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Designimporter_Impl_Canvas_Page_Delete_Handler;
--
procedure Com_Day_Cq_Wcm_Designimporter_Impl_Entry_Preprocessor_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Search_Periodpattern : in Swagger.Nullable_UString;
Replace_Periodpattern : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmDesignimporterImplEntryPreprocessorImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("search.pattern", Search_Periodpattern);
URI.Add_Param ("replace.pattern", Replace_Periodpattern);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.designimporter.impl.EntryPreprocessorImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Designimporter_Impl_Entry_Preprocessor_Impl;
--
procedure Com_Day_Cq_Wcm_Designimporter_Impl_Mobile_Canvas_Builder_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Filepattern : in Swagger.Nullable_UString;
Device_Periodgroups : in Swagger.UString_Vectors.Vector;
Build_Periodpage_Periodnodes : in Swagger.Nullable_Boolean;
Build_Periodclient_Periodlibs : in Swagger.Nullable_Boolean;
Build_Periodcanvas_Periodcomponent : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqWcmDesignimporterImplMobileCanvasBuilderImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("filepattern", Filepattern);
URI.Add_Param ("device.groups", Device_Periodgroups);
URI.Add_Param ("build.page.nodes", Build_Periodpage_Periodnodes);
URI.Add_Param ("build.client.libs", Build_Periodclient_Periodlibs);
URI.Add_Param ("build.canvas.component", Build_Periodcanvas_Periodcomponent);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.designimporter.impl.MobileCanvasBuilderImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Designimporter_Impl_Mobile_Canvas_Builder_Impl;
--
procedure Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Canvas_Compone
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Tagpattern : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmDesignimporterParserTaghandlersFactoryCanvasComponeInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("tagpattern", Tagpattern);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.designimporter.parser.taghandlers.factory.CanvasComponentTagHandlerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Canvas_Compone;
--
procedure Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Default_Compon
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Tagpattern : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmDesignimporterParserTaghandlersFactoryDefaultComponInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("tagpattern", Tagpattern);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.designimporter.parser.taghandlers.factory.DefaultComponentTagHandlerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Default_Compon;
--
procedure Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Default_Tag_Han
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Tagpattern : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmDesignimporterParserTaghandlersFactoryDefaultTagHanInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("tagpattern", Tagpattern);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.designimporter.parser.taghandlers.factory.DefaultTagHandlerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Default_Tag_Han;
--
procedure Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Head_Tag_Handle
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Tagpattern : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmDesignimporterParserTaghandlersFactoryHeadTagHandleInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("tagpattern", Tagpattern);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.designimporter.parser.taghandlers.factory.HeadTagHandlerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Head_Tag_Handle;
--
procedure Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_I_Frame_Tag_Hand
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Tagpattern : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmDesignimporterParserTaghandlersFactoryIFrameTagHandInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("tagpattern", Tagpattern);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.designimporter.parser.taghandlers.factory.IFrameTagHandlerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_I_Frame_Tag_Hand;
--
procedure Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Image_Componen
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Tagpattern : in Swagger.Nullable_UString;
Component_Periodresource_Type : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmDesignimporterParserTaghandlersFactoryImageComponenInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("tagpattern", Tagpattern);
URI.Add_Param ("component.resourceType", Component_Periodresource_Type);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.designimporter.parser.taghandlers.factory.ImageComponentTagHandlerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Image_Componen;
--
procedure Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Img_Tag_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Tagpattern : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmDesignimporterParserTaghandlersFactoryImgTagHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("tagpattern", Tagpattern);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.designimporter.parser.taghandlers.factory.ImgTagHandlerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Img_Tag_Handler;
--
procedure Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Inline_Script_T
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Tagpattern : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmDesignimporterParserTaghandlersFactoryInlineScriptTInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("tagpattern", Tagpattern);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.designimporter.parser.taghandlers.factory.InlineScriptTagHandlerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Inline_Script_T;
--
procedure Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Link_Tag_Handle
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Tagpattern : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmDesignimporterParserTaghandlersFactoryLinkTagHandleInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("tagpattern", Tagpattern);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.designimporter.parser.taghandlers.factory.LinkTagHandlerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Link_Tag_Handle;
--
procedure Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Meta_Tag_Handle
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Tagpattern : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmDesignimporterParserTaghandlersFactoryMetaTagHandleInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("tagpattern", Tagpattern);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.designimporter.parser.taghandlers.factory.MetaTagHandlerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Meta_Tag_Handle;
--
procedure Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Non_Script_Tag_H
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Tagpattern : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmDesignimporterParserTaghandlersFactoryNonScriptTagHInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("tagpattern", Tagpattern);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.designimporter.parser.taghandlers.factory.NonScriptTagHandlerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Non_Script_Tag_H;
--
procedure Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Parsys_Compone
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Tagpattern : in Swagger.Nullable_UString;
Component_Periodresource_Type : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmDesignimporterParserTaghandlersFactoryParsysComponeInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("tagpattern", Tagpattern);
URI.Add_Param ("component.resourceType", Component_Periodresource_Type);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.designimporter.parser.taghandlers.factory.ParsysComponentTagHandlerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Parsys_Compone;
--
procedure Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Script_Tag_Hand
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Tagpattern : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmDesignimporterParserTaghandlersFactoryScriptTagHandInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("tagpattern", Tagpattern);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.designimporter.parser.taghandlers.factory.ScriptTagHandlerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Script_Tag_Hand;
--
procedure Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Style_Tag_Handl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Tagpattern : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmDesignimporterParserTaghandlersFactoryStyleTagHandlInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("tagpattern", Tagpattern);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.designimporter.parser.taghandlers.factory.StyleTagHandlerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Style_Tag_Handl;
--
procedure Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Text_Component
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Tagpattern : in Swagger.Nullable_UString;
Component_Periodresource_Type : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmDesignimporterParserTaghandlersFactoryTextComponentInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("tagpattern", Tagpattern);
URI.Add_Param ("component.resourceType", Component_Periodresource_Type);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.designimporter.parser.taghandlers.factory.TextComponentTagHandlerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Text_Component;
--
procedure Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Title_Componen
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Tagpattern : in Swagger.Nullable_UString;
Component_Periodresource_Type : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmDesignimporterParserTaghandlersFactoryTitleComponenInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("tagpattern", Tagpattern);
URI.Add_Param ("component.resourceType", Component_Periodresource_Type);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.designimporter.parser.taghandlers.factory.TitleComponentTagHandlerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Title_Componen;
--
procedure Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Title_Tag_Handl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Tagpattern : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmDesignimporterParserTaghandlersFactoryTitleTagHandlInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("tagpattern", Tagpattern);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.designimporter.parser.taghandlers.factory.TitleTagHandlerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Designimporter_Parser_Taghandlers_Factory_Title_Tag_Handl;
--
procedure Com_Day_Cq_Wcm_Foundation_Forms_Impl_Form_Chooser_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodname : in Swagger.Nullable_UString;
Sling_Periodservlet_Periodresource_Types : in Swagger.Nullable_UString;
Sling_Periodservlet_Periodselectors : in Swagger.Nullable_UString;
Sling_Periodservlet_Periodmethods : in Swagger.UString_Vectors.Vector;
Forms_Periodformchooserservlet_Periodadvansesearch_Periodrequire : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqWcmFoundationFormsImplFormChooserServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.name", Service_Periodname);
URI.Add_Param ("sling.servlet.resourceTypes", Sling_Periodservlet_Periodresource_Types);
URI.Add_Param ("sling.servlet.selectors", Sling_Periodservlet_Periodselectors);
URI.Add_Param ("sling.servlet.methods", Sling_Periodservlet_Periodmethods);
URI.Add_Param ("forms.formchooserservlet.advansesearch.require", Forms_Periodformchooserservlet_Periodadvansesearch_Periodrequire);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.foundation.forms.impl.FormChooserServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Foundation_Forms_Impl_Form_Chooser_Servlet;
--
procedure Com_Day_Cq_Wcm_Foundation_Forms_Impl_Form_Paragraph_Post_Processor
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Forms_Periodformparagraphpostprocessor_Periodenabled : in Swagger.Nullable_Boolean;
Forms_Periodformparagraphpostprocessor_Periodformresourcetypes : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqWcmFoundationFormsImplFormParagraphPostProcessorInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("forms.formparagraphpostprocessor.enabled", Forms_Periodformparagraphpostprocessor_Periodenabled);
URI.Add_Param ("forms.formparagraphpostprocessor.formresourcetypes", Forms_Periodformparagraphpostprocessor_Periodformresourcetypes);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.foundation.forms.impl.FormParagraphPostProcessor");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Foundation_Forms_Impl_Form_Paragraph_Post_Processor;
--
procedure Com_Day_Cq_Wcm_Foundation_Forms_Impl_Forms_Handling_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Name_Periodwhitelist : in Swagger.Nullable_UString;
Allow_Periodexpressions : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqWcmFoundationFormsImplFormsHandlingServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("name.whitelist", Name_Periodwhitelist);
URI.Add_Param ("allow.expressions", Allow_Periodexpressions);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.foundation.forms.impl.FormsHandlingServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Foundation_Forms_Impl_Forms_Handling_Servlet;
--
procedure Com_Day_Cq_Wcm_Foundation_Forms_Impl_Mail_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Sling_Periodservlet_Periodresource_Types : in Swagger.Nullable_UString;
Sling_Periodservlet_Periodselectors : in Swagger.Nullable_UString;
Resource_Periodwhitelist : in Swagger.UString_Vectors.Vector;
Resource_Periodblacklist : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmFoundationFormsImplMailServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("sling.servlet.resourceTypes", Sling_Periodservlet_Periodresource_Types);
URI.Add_Param ("sling.servlet.selectors", Sling_Periodservlet_Periodselectors);
URI.Add_Param ("resource.whitelist", Resource_Periodwhitelist);
URI.Add_Param ("resource.blacklist", Resource_Periodblacklist);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.foundation.forms.impl.MailServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Foundation_Forms_Impl_Mail_Servlet;
--
procedure Com_Day_Cq_Wcm_Foundation_Impl_Adaptive_Image_Component_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Adapt_Periodsupported_Periodwidths : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqWcmFoundationImplAdaptiveImageComponentServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("adapt.supported.widths", Adapt_Periodsupported_Periodwidths);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.foundation.impl.AdaptiveImageComponentServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Foundation_Impl_Adaptive_Image_Component_Servlet;
--
procedure Com_Day_Cq_Wcm_Foundation_Impl_H_T_T_P_Auth_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Path : in Swagger.Nullable_UString;
Auth_Periodhttp_Periodnologin : in Swagger.Nullable_Boolean;
Auth_Periodhttp_Periodrealm : in Swagger.Nullable_UString;
Auth_Perioddefault_Periodloginpage : in Swagger.Nullable_UString;
Auth_Periodcred_Periodform : in Swagger.UString_Vectors.Vector;
Auth_Periodcred_Periodutf8 : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqWcmFoundationImplHTTPAuthHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("path", Path);
URI.Add_Param ("auth.http.nologin", Auth_Periodhttp_Periodnologin);
URI.Add_Param ("auth.http.realm", Auth_Periodhttp_Periodrealm);
URI.Add_Param ("auth.default.loginpage", Auth_Perioddefault_Periodloginpage);
URI.Add_Param ("auth.cred.form", Auth_Periodcred_Periodform);
URI.Add_Param ("auth.cred.utf8", Auth_Periodcred_Periodutf8);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.foundation.impl.HTTPAuthHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Foundation_Impl_H_T_T_P_Auth_Handler;
--
procedure Com_Day_Cq_Wcm_Foundation_Impl_Page_Impressions_Tracker
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Sling_Periodauth_Periodrequirements : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmFoundationImplPageImpressionsTrackerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("sling.auth.requirements", Sling_Periodauth_Periodrequirements);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.foundation.impl.PageImpressionsTracker");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Foundation_Impl_Page_Impressions_Tracker;
--
procedure Com_Day_Cq_Wcm_Foundation_Impl_Page_Redirect_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Excluded_Periodresource_Periodtypes : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqWcmFoundationImplPageRedirectServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("excluded.resource.types", Excluded_Periodresource_Periodtypes);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.foundation.impl.PageRedirectServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Foundation_Impl_Page_Redirect_Servlet;
--
procedure Com_Day_Cq_Wcm_Foundation_Security_Impl_Default_Attachment_Type_Blacklist
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Default_Periodattachment_Periodtype_Periodblacklist : in Swagger.UString_Vectors.Vector;
Baseline_Periodattachment_Periodtype_Periodblacklist : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqWcmFoundationSecurityImplDefaultAttachmentTypeBlacklistInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("default.attachment.type.blacklist", Default_Periodattachment_Periodtype_Periodblacklist);
URI.Add_Param ("baseline.attachment.type.blacklist", Baseline_Periodattachment_Periodtype_Periodblacklist);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.foundation.security.impl.DefaultAttachmentTypeBlacklistService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Foundation_Security_Impl_Default_Attachment_Type_Blacklist;
--
procedure Com_Day_Cq_Wcm_Foundation_Security_Impl_Safer_Sling_Post_Validator_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Parameter_Periodwhitelist : in Swagger.UString_Vectors.Vector;
Parameter_Periodwhitelist_Periodprefixes : in Swagger.UString_Vectors.Vector;
Binary_Periodparameter_Periodwhitelist : in Swagger.UString_Vectors.Vector;
Modifier_Periodwhitelist : in Swagger.UString_Vectors.Vector;
Operation_Periodwhitelist : in Swagger.UString_Vectors.Vector;
Operation_Periodwhitelist_Periodprefixes : in Swagger.UString_Vectors.Vector;
Typehint_Periodwhitelist : in Swagger.UString_Vectors.Vector;
Resourcetype_Periodwhitelist : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqWcmFoundationSecurityImplSaferSlingPostValidatorImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("parameter.whitelist", Parameter_Periodwhitelist);
URI.Add_Param ("parameter.whitelist.prefixes", Parameter_Periodwhitelist_Periodprefixes);
URI.Add_Param ("binary.parameter.whitelist", Binary_Periodparameter_Periodwhitelist);
URI.Add_Param ("modifier.whitelist", Modifier_Periodwhitelist);
URI.Add_Param ("operation.whitelist", Operation_Periodwhitelist);
URI.Add_Param ("operation.whitelist.prefixes", Operation_Periodwhitelist_Periodprefixes);
URI.Add_Param ("typehint.whitelist", Typehint_Periodwhitelist);
URI.Add_Param ("resourcetype.whitelist", Resourcetype_Periodwhitelist);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.foundation.security.impl.SaferSlingPostValidatorImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Foundation_Security_Impl_Safer_Sling_Post_Validator_Impl;
--
procedure Com_Day_Cq_Wcm_Mobile_Core_Impl_Device_Device_Info_Transformer_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Device_Periodinfo_Periodtransformer_Periodenabled : in Swagger.Nullable_Boolean;
Device_Periodinfo_Periodtransformer_Periodcss_Periodstyle : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmMobileCoreImplDeviceDeviceInfoTransformerFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("device.info.transformer.enabled", Device_Periodinfo_Periodtransformer_Periodenabled);
URI.Add_Param ("device.info.transformer.css.style", Device_Periodinfo_Periodtransformer_Periodcss_Periodstyle);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.mobile.core.impl.device.DeviceInfoTransformerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Mobile_Core_Impl_Device_Device_Info_Transformer_Factory;
--
procedure Com_Day_Cq_Wcm_Mobile_Core_Impl_Redirect_Redirect_Filter
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Redirect_Periodenabled : in Swagger.Nullable_Boolean;
Redirect_Periodstats_Periodenabled : in Swagger.Nullable_Boolean;
Redirect_Periodextensions : in Swagger.UString_Vectors.Vector;
Redirect_Periodpaths : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqWcmMobileCoreImplRedirectRedirectFilterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("redirect.enabled", Redirect_Periodenabled);
URI.Add_Param ("redirect.stats.enabled", Redirect_Periodstats_Periodenabled);
URI.Add_Param ("redirect.extensions", Redirect_Periodextensions);
URI.Add_Param ("redirect.paths", Redirect_Periodpaths);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.mobile.core.impl.redirect.RedirectFilter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Mobile_Core_Impl_Redirect_Redirect_Filter;
--
procedure Com_Day_Cq_Wcm_Msm_Impl_Actions_Content_Copy_Action_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludednodetypes : in Swagger.UString_Vectors.Vector;
Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludedparagraphitems : in Swagger.UString_Vectors.Vector;
Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludedprops : in Swagger.UString_Vectors.Vector;
Contentcopyaction_Periodorder_Periodstyle : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmMsmImplActionsContentCopyActionFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.wcm.msm.action.excludednodetypes", Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludednodetypes);
URI.Add_Param ("cq.wcm.msm.action.excludedparagraphitems", Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludedparagraphitems);
URI.Add_Param ("cq.wcm.msm.action.excludedprops", Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludedprops);
URI.Add_Param ("contentcopyaction.order.style", Contentcopyaction_Periodorder_Periodstyle);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.msm.impl.actions.ContentCopyActionFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Msm_Impl_Actions_Content_Copy_Action_Factory;
--
procedure Com_Day_Cq_Wcm_Msm_Impl_Actions_Content_Delete_Action_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludednodetypes : in Swagger.UString_Vectors.Vector;
Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludedparagraphitems : in Swagger.UString_Vectors.Vector;
Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludedprops : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqWcmMsmImplActionsContentDeleteActionFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.wcm.msm.action.excludednodetypes", Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludednodetypes);
URI.Add_Param ("cq.wcm.msm.action.excludedparagraphitems", Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludedparagraphitems);
URI.Add_Param ("cq.wcm.msm.action.excludedprops", Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludedprops);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.msm.impl.actions.ContentDeleteActionFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Msm_Impl_Actions_Content_Delete_Action_Factory;
--
procedure Com_Day_Cq_Wcm_Msm_Impl_Actions_Content_Update_Action_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludednodetypes : in Swagger.UString_Vectors.Vector;
Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludedparagraphitems : in Swagger.UString_Vectors.Vector;
Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludedprops : in Swagger.UString_Vectors.Vector;
Cq_Periodwcm_Periodmsm_Periodaction_Periodignored_Mixin : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqWcmMsmImplActionsContentUpdateActionFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.wcm.msm.action.excludednodetypes", Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludednodetypes);
URI.Add_Param ("cq.wcm.msm.action.excludedparagraphitems", Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludedparagraphitems);
URI.Add_Param ("cq.wcm.msm.action.excludedprops", Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludedprops);
URI.Add_Param ("cq.wcm.msm.action.ignoredMixin", Cq_Periodwcm_Periodmsm_Periodaction_Periodignored_Mixin);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.msm.impl.actions.ContentUpdateActionFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Msm_Impl_Actions_Content_Update_Action_Factory;
--
procedure Com_Day_Cq_Wcm_Msm_Impl_Actions_Order_Children_Action_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludednodetypes : in Swagger.UString_Vectors.Vector;
Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludedparagraphitems : in Swagger.UString_Vectors.Vector;
Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludedprops : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqWcmMsmImplActionsOrderChildrenActionFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.wcm.msm.action.excludednodetypes", Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludednodetypes);
URI.Add_Param ("cq.wcm.msm.action.excludedparagraphitems", Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludedparagraphitems);
URI.Add_Param ("cq.wcm.msm.action.excludedprops", Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludedprops);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.msm.impl.actions.OrderChildrenActionFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Msm_Impl_Actions_Order_Children_Action_Factory;
--
procedure Com_Day_Cq_Wcm_Msm_Impl_Actions_Page_Move_Action_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludednodetypes : in Swagger.UString_Vectors.Vector;
Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludedparagraphitems : in Swagger.UString_Vectors.Vector;
Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludedprops : in Swagger.UString_Vectors.Vector;
Cq_Periodwcm_Periodmsm_Periodimpl_Periodactions_Periodpagemove_Periodprop_Reference_Update : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqWcmMsmImplActionsPageMoveActionFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.wcm.msm.action.excludednodetypes", Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludednodetypes);
URI.Add_Param ("cq.wcm.msm.action.excludedparagraphitems", Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludedparagraphitems);
URI.Add_Param ("cq.wcm.msm.action.excludedprops", Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludedprops);
URI.Add_Param ("cq.wcm.msm.impl.actions.pagemove.prop_referenceUpdate", Cq_Periodwcm_Periodmsm_Periodimpl_Periodactions_Periodpagemove_Periodprop_Reference_Update);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.msm.impl.actions.PageMoveActionFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Msm_Impl_Actions_Page_Move_Action_Factory;
--
procedure Com_Day_Cq_Wcm_Msm_Impl_Actions_References_Update_Action_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludednodetypes : in Swagger.UString_Vectors.Vector;
Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludedparagraphitems : in Swagger.UString_Vectors.Vector;
Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludedprops : in Swagger.UString_Vectors.Vector;
Cq_Periodwcm_Periodmsm_Periodimpl_Periodaction_Periodreferencesupdate_Periodprop_Update_Nested : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqWcmMsmImplActionsReferencesUpdateActionFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.wcm.msm.action.excludednodetypes", Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludednodetypes);
URI.Add_Param ("cq.wcm.msm.action.excludedparagraphitems", Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludedparagraphitems);
URI.Add_Param ("cq.wcm.msm.action.excludedprops", Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludedprops);
URI.Add_Param ("cq.wcm.msm.impl.action.referencesupdate.prop_updateNested", Cq_Periodwcm_Periodmsm_Periodimpl_Periodaction_Periodreferencesupdate_Periodprop_Update_Nested);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.msm.impl.actions.ReferencesUpdateActionFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Msm_Impl_Actions_References_Update_Action_Factory;
--
procedure Com_Day_Cq_Wcm_Msm_Impl_Actions_Version_Copy_Action_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludednodetypes : in Swagger.UString_Vectors.Vector;
Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludedparagraphitems : in Swagger.UString_Vectors.Vector;
Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludedprops : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqWcmMsmImplActionsVersionCopyActionFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.wcm.msm.action.excludednodetypes", Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludednodetypes);
URI.Add_Param ("cq.wcm.msm.action.excludedparagraphitems", Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludedparagraphitems);
URI.Add_Param ("cq.wcm.msm.action.excludedprops", Cq_Periodwcm_Periodmsm_Periodaction_Periodexcludedprops);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.msm.impl.actions.VersionCopyActionFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Msm_Impl_Actions_Version_Copy_Action_Factory;
--
procedure Com_Day_Cq_Wcm_Msm_Impl_Live_Relationship_Manager_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Liverelationshipmgr_Periodrelationsconfig_Perioddefault : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmMsmImplLiveRelationshipManagerImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("liverelationshipmgr.relationsconfig.default", Liverelationshipmgr_Periodrelationsconfig_Perioddefault);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.msm.impl.LiveRelationshipManagerImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Msm_Impl_Live_Relationship_Manager_Impl;
--
procedure Com_Day_Cq_Wcm_Msm_Impl_Rollout_Manager_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Event_Periodfilter : in Swagger.Nullable_UString;
Rolloutmgr_Periodexcludedprops_Perioddefault : in Swagger.UString_Vectors.Vector;
Rolloutmgr_Periodexcludedparagraphprops_Perioddefault : in Swagger.UString_Vectors.Vector;
Rolloutmgr_Periodexcludednodetypes_Perioddefault : in Swagger.UString_Vectors.Vector;
Rolloutmgr_Periodthreadpool_Periodmaxsize : in Swagger.Nullable_Integer;
Rolloutmgr_Periodthreadpool_Periodmaxshutdowntime : in Swagger.Nullable_Integer;
Rolloutmgr_Periodthreadpool_Periodpriority : in Swagger.Nullable_UString;
Rolloutmgr_Periodcommit_Periodsize : in Swagger.Nullable_Integer;
Rolloutmgr_Periodconflicthandling_Periodenabled : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqWcmMsmImplRolloutManagerImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("event.filter", Event_Periodfilter);
URI.Add_Param ("rolloutmgr.excludedprops.default", Rolloutmgr_Periodexcludedprops_Perioddefault);
URI.Add_Param ("rolloutmgr.excludedparagraphprops.default", Rolloutmgr_Periodexcludedparagraphprops_Perioddefault);
URI.Add_Param ("rolloutmgr.excludednodetypes.default", Rolloutmgr_Periodexcludednodetypes_Perioddefault);
URI.Add_Param ("rolloutmgr.threadpool.maxsize", Rolloutmgr_Periodthreadpool_Periodmaxsize);
URI.Add_Param ("rolloutmgr.threadpool.maxshutdowntime", Rolloutmgr_Periodthreadpool_Periodmaxshutdowntime);
URI.Add_Param ("rolloutmgr.threadpool.priority", Rolloutmgr_Periodthreadpool_Periodpriority);
URI.Add_Param ("rolloutmgr.commit.size", Rolloutmgr_Periodcommit_Periodsize);
URI.Add_Param ("rolloutmgr.conflicthandling.enabled", Rolloutmgr_Periodconflicthandling_Periodenabled);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.msm.impl.RolloutManagerImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Msm_Impl_Rollout_Manager_Impl;
--
procedure Com_Day_Cq_Wcm_Msm_Impl_Servlets_Audit_Log_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Auditlogservlet_Perioddefault_Periodevents_Periodcount : in Swagger.Nullable_Integer;
Auditlogservlet_Perioddefault_Periodpath : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmMsmImplServletsAuditLogServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("auditlogservlet.default.events.count", Auditlogservlet_Perioddefault_Periodevents_Periodcount);
URI.Add_Param ("auditlogservlet.default.path", Auditlogservlet_Perioddefault_Periodpath);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.msm.impl.servlets.AuditLogServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Msm_Impl_Servlets_Audit_Log_Servlet;
--
procedure Com_Day_Cq_Wcm_Notification_Email_Impl_Email_Channel
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Email_Periodfrom : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmNotificationEmailImplEmailChannelInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("email.from", Email_Periodfrom);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.notification.email.impl.EmailChannel");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Notification_Email_Impl_Email_Channel;
--
procedure Com_Day_Cq_Wcm_Notification_Impl_Notification_Manager_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Event_Periodtopics : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqWcmNotificationImplNotificationManagerImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("event.topics", Event_Periodtopics);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.notification.impl.NotificationManagerImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Notification_Impl_Notification_Manager_Impl;
--
procedure Com_Day_Cq_Wcm_Scripting_Impl_B_V_P_Manager
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Com_Periodday_Periodcq_Periodwcm_Periodscripting_Periodbvp_Periodscript_Periodengines : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqWcmScriptingImplBVPManagerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("com.day.cq.wcm.scripting.bvp.script.engines", Com_Periodday_Periodcq_Periodwcm_Periodscripting_Periodbvp_Periodscript_Periodengines);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.scripting.impl.BVPManager");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Scripting_Impl_B_V_P_Manager;
--
procedure Com_Day_Cq_Wcm_Undo_Undo_Config
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cq_Periodwcm_Periodundo_Periodenabled : in Swagger.Nullable_Boolean;
Cq_Periodwcm_Periodundo_Periodpath : in Swagger.Nullable_UString;
Cq_Periodwcm_Periodundo_Periodvalidity : in Swagger.Nullable_Integer;
Cq_Periodwcm_Periodundo_Periodsteps : in Swagger.Nullable_Integer;
Cq_Periodwcm_Periodundo_Periodpersistence : in Swagger.Nullable_UString;
Cq_Periodwcm_Periodundo_Periodpersistence_Periodmode : in Swagger.Nullable_Boolean;
Cq_Periodwcm_Periodundo_Periodmarkermode : in Swagger.Nullable_UString;
Cq_Periodwcm_Periodundo_Periodwhitelist : in Swagger.UString_Vectors.Vector;
Cq_Periodwcm_Periodundo_Periodblacklist : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqWcmUndoUndoConfigInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cq.wcm.undo.enabled", Cq_Periodwcm_Periodundo_Periodenabled);
URI.Add_Param ("cq.wcm.undo.path", Cq_Periodwcm_Periodundo_Periodpath);
URI.Add_Param ("cq.wcm.undo.validity", Cq_Periodwcm_Periodundo_Periodvalidity);
URI.Add_Param ("cq.wcm.undo.steps", Cq_Periodwcm_Periodundo_Periodsteps);
URI.Add_Param ("cq.wcm.undo.persistence", Cq_Periodwcm_Periodundo_Periodpersistence);
URI.Add_Param ("cq.wcm.undo.persistence.mode", Cq_Periodwcm_Periodundo_Periodpersistence_Periodmode);
URI.Add_Param ("cq.wcm.undo.markermode", Cq_Periodwcm_Periodundo_Periodmarkermode);
URI.Add_Param ("cq.wcm.undo.whitelist", Cq_Periodwcm_Periodundo_Periodwhitelist);
URI.Add_Param ("cq.wcm.undo.blacklist", Cq_Periodwcm_Periodundo_Periodblacklist);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.undo.UndoConfig");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Undo_Undo_Config;
--
procedure Com_Day_Cq_Wcm_Webservicesupport_Impl_Replication_Event_Listener
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Flush agents : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqWcmWebservicesupportImplReplicationEventListenerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("Flush agents", Flush agents);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.webservicesupport.impl.ReplicationEventListener");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Webservicesupport_Impl_Replication_Event_Listener;
--
procedure Com_Day_Cq_Wcm_Workflow_Impl_Wcm_Workflow_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Event_Periodfilter : in Swagger.Nullable_UString;
Min_Thread_Pool_Size : in Swagger.Nullable_Integer;
Max_Thread_Pool_Size : in Swagger.Nullable_Integer;
Cq_Periodwcm_Periodworkflow_Periodterminate_Periodon_Periodactivate : in Swagger.Nullable_Boolean;
Cq_Periodwcm_Periodworklfow_Periodterminate_Periodexclusion_Periodlist : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCqWcmWorkflowImplWcmWorkflowServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("event.filter", Event_Periodfilter);
URI.Add_Param ("minThreadPoolSize", Min_Thread_Pool_Size);
URI.Add_Param ("maxThreadPoolSize", Max_Thread_Pool_Size);
URI.Add_Param ("cq.wcm.workflow.terminate.on.activate", Cq_Periodwcm_Periodworkflow_Periodterminate_Periodon_Periodactivate);
URI.Add_Param ("cq.wcm.worklfow.terminate.exclusion.list", Cq_Periodwcm_Periodworklfow_Periodterminate_Periodexclusion_Periodlist);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.workflow.impl.WcmWorkflowServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Workflow_Impl_Wcm_Workflow_Service_Impl;
--
procedure Com_Day_Cq_Wcm_Workflow_Impl_Workflow_Package_Info_Provider
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Workflowpackageinfoprovider_Periodfilter : in Swagger.UString_Vectors.Vector;
Workflowpackageinfoprovider_Periodfilter_Periodrootpath : in Swagger.Nullable_UString;
Result : out .Models.ComDayCqWcmWorkflowImplWorkflowPackageInfoProviderInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("workflowpackageinfoprovider.filter", Workflowpackageinfoprovider_Periodfilter);
URI.Add_Param ("workflowpackageinfoprovider.filter.rootpath", Workflowpackageinfoprovider_Periodfilter_Periodrootpath);
URI.Set_Path ("/system/console/configMgr/com.day.cq.wcm.workflow.impl.WorkflowPackageInfoProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Wcm_Workflow_Impl_Workflow_Package_Info_Provider;
--
procedure Com_Day_Cq_Widget_Impl_Html_Library_Manager_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Htmllibmanager_Periodclientmanager : in Swagger.Nullable_UString;
Htmllibmanager_Perioddebug : in Swagger.Nullable_Boolean;
Htmllibmanager_Perioddebug_Periodconsole : in Swagger.Nullable_Boolean;
Htmllibmanager_Perioddebug_Periodinit_Periodjs : in Swagger.Nullable_UString;
Htmllibmanager_Perioddefaultthemename : in Swagger.Nullable_UString;
Htmllibmanager_Perioddefaultuserthemename : in Swagger.Nullable_UString;
Htmllibmanager_Periodfirebuglite_Periodpath : in Swagger.Nullable_UString;
Htmllibmanager_Periodforce_C_Q_Url_Info : in Swagger.Nullable_Boolean;
Htmllibmanager_Periodgzip : in Swagger.Nullable_Boolean;
Htmllibmanager_Periodmaxage : in Swagger.Nullable_Integer;
Htmllibmanager_Periodmax_Data_Uri_Size : in Swagger.Nullable_Integer;
Htmllibmanager_Periodminify : in Swagger.Nullable_Boolean;
Htmllibmanager_Periodpath_Periodlist : in Swagger.UString_Vectors.Vector;
Htmllibmanager_Periodtiming : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqWidgetImplHtmlLibraryManagerImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("htmllibmanager.clientmanager", Htmllibmanager_Periodclientmanager);
URI.Add_Param ("htmllibmanager.debug", Htmllibmanager_Perioddebug);
URI.Add_Param ("htmllibmanager.debug.console", Htmllibmanager_Perioddebug_Periodconsole);
URI.Add_Param ("htmllibmanager.debug.init.js", Htmllibmanager_Perioddebug_Periodinit_Periodjs);
URI.Add_Param ("htmllibmanager.defaultthemename", Htmllibmanager_Perioddefaultthemename);
URI.Add_Param ("htmllibmanager.defaultuserthemename", Htmllibmanager_Perioddefaultuserthemename);
URI.Add_Param ("htmllibmanager.firebuglite.path", Htmllibmanager_Periodfirebuglite_Periodpath);
URI.Add_Param ("htmllibmanager.forceCQUrlInfo", Htmllibmanager_Periodforce_C_Q_Url_Info);
URI.Add_Param ("htmllibmanager.gzip", Htmllibmanager_Periodgzip);
URI.Add_Param ("htmllibmanager.maxage", Htmllibmanager_Periodmaxage);
URI.Add_Param ("htmllibmanager.maxDataUriSize", Htmllibmanager_Periodmax_Data_Uri_Size);
URI.Add_Param ("htmllibmanager.minify", Htmllibmanager_Periodminify);
URI.Add_Param ("htmllibmanager.path.list", Htmllibmanager_Periodpath_Periodlist);
URI.Add_Param ("htmllibmanager.timing", Htmllibmanager_Periodtiming);
URI.Set_Path ("/system/console/configMgr/com.day.cq.widget.impl.HtmlLibraryManagerImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Widget_Impl_Html_Library_Manager_Impl;
--
procedure Com_Day_Cq_Widget_Impl_Widget_Extension_Provider_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Extendable_Periodwidgets : in Swagger.UString_Vectors.Vector;
Widgetextensionprovider_Perioddebug : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqWidgetImplWidgetExtensionProviderImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("extendable.widgets", Extendable_Periodwidgets);
URI.Add_Param ("widgetextensionprovider.debug", Widgetextensionprovider_Perioddebug);
URI.Set_Path ("/system/console/configMgr/com.day.cq.widget.impl.WidgetExtensionProviderImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Widget_Impl_Widget_Extension_Provider_Impl;
--
procedure Com_Day_Cq_Workflow_Impl_Email_E_Mail_Notification_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
From_Periodaddress : in Swagger.Nullable_UString;
Host_Periodprefix : in Swagger.Nullable_UString;
Notify_Periodonabort : in Swagger.Nullable_Boolean;
Notify_Periodoncomplete : in Swagger.Nullable_Boolean;
Notify_Periodoncontainercomplete : in Swagger.Nullable_Boolean;
Notify_Perioduseronly : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqWorkflowImplEmailEMailNotificationServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("from.address", From_Periodaddress);
URI.Add_Param ("host.prefix", Host_Periodprefix);
URI.Add_Param ("notify.onabort", Notify_Periodonabort);
URI.Add_Param ("notify.oncomplete", Notify_Periodoncomplete);
URI.Add_Param ("notify.oncontainercomplete", Notify_Periodoncontainercomplete);
URI.Add_Param ("notify.useronly", Notify_Perioduseronly);
URI.Set_Path ("/system/console/configMgr/com.day.cq.workflow.impl.email.EMailNotificationService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Workflow_Impl_Email_E_Mail_Notification_Service;
--
procedure Com_Day_Cq_Workflow_Impl_Email_Task_E_Mail_Notification_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Notify_Periodonupdate : in Swagger.Nullable_Boolean;
Notify_Periodoncomplete : in Swagger.Nullable_Boolean;
Result : out .Models.ComDayCqWorkflowImplEmailTaskEMailNotificationServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("notify.onupdate", Notify_Periodonupdate);
URI.Add_Param ("notify.oncomplete", Notify_Periodoncomplete);
URI.Set_Path ("/system/console/configMgr/com.day.cq.workflow.impl.email.TaskEMailNotificationService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Cq_Workflow_Impl_Email_Task_E_Mail_Notification_Service;
--
procedure Com_Day_Crx_Security_Token_Impl_Impl_Token_Authentication_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Path : in Swagger.Nullable_UString;
Token_Periodrequired_Periodattr : in Swagger.Nullable_UString;
Token_Periodalternate_Periodurl : in Swagger.Nullable_UString;
Token_Periodencapsulated : in Swagger.Nullable_Boolean;
Skip_Periodtoken_Periodrefresh : in Swagger.UString_Vectors.Vector;
Result : out .Models.ComDayCrxSecurityTokenImplImplTokenAuthenticationHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("path", Path);
URI.Add_Param ("token.required.attr", Token_Periodrequired_Periodattr);
URI.Add_Param ("token.alternate.url", Token_Periodalternate_Periodurl);
URI.Add_Param ("token.encapsulated", Token_Periodencapsulated);
URI.Add_Param ("skip.token.refresh", Skip_Periodtoken_Periodrefresh);
URI.Set_Path ("/system/console/configMgr/com.day.crx.security.token.impl.impl.TokenAuthenticationHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Crx_Security_Token_Impl_Impl_Token_Authentication_Handler;
--
procedure Com_Day_Crx_Security_Token_Impl_Token_Cleanup_Task
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Enable_Periodtoken_Periodcleanup_Periodtask : in Swagger.Nullable_Boolean;
Scheduler_Periodexpression : in Swagger.Nullable_UString;
Batch_Periodsize : in Swagger.Nullable_Integer;
Result : out .Models.ComDayCrxSecurityTokenImplTokenCleanupTaskInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("enable.token.cleanup.task", Enable_Periodtoken_Periodcleanup_Periodtask);
URI.Add_Param ("scheduler.expression", Scheduler_Periodexpression);
URI.Add_Param ("batch.size", Batch_Periodsize);
URI.Set_Path ("/system/console/configMgr/com.day.crx.security.token.impl.TokenCleanupTask");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Com_Day_Crx_Security_Token_Impl_Token_Cleanup_Task;
--
procedure Guide_Localization_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Supported_Locales : in Swagger.UString_Vectors.Vector;
Localizable _Properties : in Swagger.UString_Vectors.Vector;
Result : out .Models.GuideLocalizationServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("supportedLocales", Supported_Locales);
URI.Add_Param ("Localizable Properties", Localizable _Properties);
URI.Set_Path ("/system/console/configMgr/Guide Localization Service");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Guide_Localization_Service;
--
procedure Messaging_User_Component_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Priority : in Swagger.Nullable_Integer;
Result : out .Models.MessagingUserComponentFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("priority", Priority);
URI.Set_Path ("/system/console/configMgr/MessagingUserComponentFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Messaging_User_Component_Factory;
--
procedure Org_Apache_Aries_Jmx_Framework_State_Config
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Attribute_Change_Notification_Enabled : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheAriesJmxFrameworkStateConfigInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("attributeChangeNotificationEnabled", Attribute_Change_Notification_Enabled);
URI.Set_Path ("/system/console/configMgr/org.apache.aries.jmx.framework.StateConfig");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Aries_Jmx_Framework_State_Config;
--
procedure Org_Apache_Felix_Eventadmin_Impl_Event_Admin
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Org_Periodapache_Periodfelix_Periodeventadmin_Period_Thread_Pool_Size : in Swagger.Nullable_Integer;
Org_Periodapache_Periodfelix_Periodeventadmin_Period_Async_To_Sync_Thread_Ratio : in Swagger.Number;
Org_Periodapache_Periodfelix_Periodeventadmin_Period_Timeout : in Swagger.Nullable_Integer;
Org_Periodapache_Periodfelix_Periodeventadmin_Period_Require_Topic : in Swagger.Nullable_Boolean;
Org_Periodapache_Periodfelix_Periodeventadmin_Period_Ignore_Timeout : in Swagger.UString_Vectors.Vector;
Org_Periodapache_Periodfelix_Periodeventadmin_Period_Ignore_Topic : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheFelixEventadminImplEventAdminInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("org.apache.felix.eventadmin.ThreadPoolSize", Org_Periodapache_Periodfelix_Periodeventadmin_Period_Thread_Pool_Size);
URI.Add_Param ("org.apache.felix.eventadmin.AsyncToSyncThreadRatio", Org_Periodapache_Periodfelix_Periodeventadmin_Period_Async_To_Sync_Thread_Ratio);
URI.Add_Param ("org.apache.felix.eventadmin.Timeout", Org_Periodapache_Periodfelix_Periodeventadmin_Period_Timeout);
URI.Add_Param ("org.apache.felix.eventadmin.RequireTopic", Org_Periodapache_Periodfelix_Periodeventadmin_Period_Require_Topic);
URI.Add_Param ("org.apache.felix.eventadmin.IgnoreTimeout", Org_Periodapache_Periodfelix_Periodeventadmin_Period_Ignore_Timeout);
URI.Add_Param ("org.apache.felix.eventadmin.IgnoreTopic", Org_Periodapache_Periodfelix_Periodeventadmin_Period_Ignore_Topic);
URI.Set_Path ("/system/console/configMgr/org.apache.felix.eventadmin.impl.EventAdmin");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Felix_Eventadmin_Impl_Event_Admin;
--
procedure Org_Apache_Felix_Http
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Org_Periodapache_Periodfelix_Periodhttp_Periodhost : in Swagger.Nullable_UString;
Org_Periodapache_Periodfelix_Periodhttp_Periodenable : in Swagger.Nullable_Boolean;
Org_Periodosgi_Periodservice_Periodhttp_Periodport : in Swagger.Nullable_Integer;
Org_Periodapache_Periodfelix_Periodhttp_Periodtimeout : in Swagger.Nullable_Integer;
Org_Periodapache_Periodfelix_Periodhttps_Periodenable : in Swagger.Nullable_Boolean;
Org_Periodosgi_Periodservice_Periodhttp_Periodport_Periodsecure : in Swagger.Nullable_Integer;
Org_Periodapache_Periodfelix_Periodhttps_Periodkeystore : in Swagger.Nullable_UString;
Org_Periodapache_Periodfelix_Periodhttps_Periodkeystore_Periodpassword : in Swagger.Nullable_UString;
Org_Periodapache_Periodfelix_Periodhttps_Periodkeystore_Periodkey_Periodpassword : in Swagger.Nullable_UString;
Org_Periodapache_Periodfelix_Periodhttps_Periodtruststore : in Swagger.Nullable_UString;
Org_Periodapache_Periodfelix_Periodhttps_Periodtruststore_Periodpassword : in Swagger.Nullable_UString;
Org_Periodapache_Periodfelix_Periodhttps_Periodclientcertificate : in Swagger.Nullable_UString;
Org_Periodapache_Periodfelix_Periodhttp_Periodcontext_Path : in Swagger.Nullable_UString;
Org_Periodapache_Periodfelix_Periodhttp_Periodmbeans : in Swagger.Nullable_Boolean;
Org_Periodapache_Periodfelix_Periodhttp_Periodsession_Periodtimeout : in Swagger.Nullable_Integer;
Org_Periodapache_Periodfelix_Periodhttp_Periodjetty_Periodthreadpool_Periodmax : in Swagger.Nullable_Integer;
Org_Periodapache_Periodfelix_Periodhttp_Periodjetty_Periodacceptors : in Swagger.Nullable_Integer;
Org_Periodapache_Periodfelix_Periodhttp_Periodjetty_Periodselectors : in Swagger.Nullable_Integer;
Org_Periodapache_Periodfelix_Periodhttp_Periodjetty_Periodheader_Buffer_Size : in Swagger.Nullable_Integer;
Org_Periodapache_Periodfelix_Periodhttp_Periodjetty_Periodrequest_Buffer_Size : in Swagger.Nullable_Integer;
Org_Periodapache_Periodfelix_Periodhttp_Periodjetty_Periodresponse_Buffer_Size : in Swagger.Nullable_Integer;
Org_Periodapache_Periodfelix_Periodhttp_Periodjetty_Periodmax_Form_Size : in Swagger.Nullable_Integer;
Org_Periodapache_Periodfelix_Periodhttp_Periodpath_Exclusions : in Swagger.UString_Vectors.Vector;
Org_Periodapache_Periodfelix_Periodhttps_Periodjetty_Periodciphersuites_Periodexcluded : in Swagger.UString_Vectors.Vector;
Org_Periodapache_Periodfelix_Periodhttps_Periodjetty_Periodciphersuites_Periodincluded : in Swagger.UString_Vectors.Vector;
Org_Periodapache_Periodfelix_Periodhttp_Periodjetty_Periodsend_Server_Header : in Swagger.Nullable_Boolean;
Org_Periodapache_Periodfelix_Periodhttps_Periodjetty_Periodprotocols_Periodincluded : in Swagger.UString_Vectors.Vector;
Org_Periodapache_Periodfelix_Periodhttps_Periodjetty_Periodprotocols_Periodexcluded : in Swagger.UString_Vectors.Vector;
Org_Periodapache_Periodfelix_Periodproxy_Periodload_Periodbalancer_Periodconnection_Periodenable : in Swagger.Nullable_Boolean;
Org_Periodapache_Periodfelix_Periodhttps_Periodjetty_Periodrenegotiate_Allowed : in Swagger.Nullable_Boolean;
Org_Periodapache_Periodfelix_Periodhttps_Periodjetty_Periodsession_Periodcookie_Periodhttp_Only : in Swagger.Nullable_Boolean;
Org_Periodapache_Periodfelix_Periodhttps_Periodjetty_Periodsession_Periodcookie_Periodsecure : in Swagger.Nullable_Boolean;
Org_Periodeclipse_Periodjetty_Periodservlet_Period_Session_Id_Path_Parameter_Name : in Swagger.Nullable_UString;
Org_Periodeclipse_Periodjetty_Periodservlet_Period_Checking_Remote_Session_Id_Encoding : in Swagger.Nullable_Boolean;
Org_Periodeclipse_Periodjetty_Periodservlet_Period_Session_Cookie : in Swagger.Nullable_UString;
Org_Periodeclipse_Periodjetty_Periodservlet_Period_Session_Domain : in Swagger.Nullable_UString;
Org_Periodeclipse_Periodjetty_Periodservlet_Period_Session_Path : in Swagger.Nullable_UString;
Org_Periodeclipse_Periodjetty_Periodservlet_Period_Max_Age : in Swagger.Nullable_Integer;
Org_Periodapache_Periodfelix_Periodhttp_Periodname : in Swagger.Nullable_UString;
Org_Periodapache_Periodfelix_Periodjetty_Periodgziphandler_Periodenable : in Swagger.Nullable_Boolean;
Org_Periodapache_Periodfelix_Periodjetty_Periodgzip_Periodmin_Gzip_Size : in Swagger.Nullable_Integer;
Org_Periodapache_Periodfelix_Periodjetty_Periodgzip_Periodcompression_Level : in Swagger.Nullable_Integer;
Org_Periodapache_Periodfelix_Periodjetty_Periodgzip_Periodinflate_Buffer_Size : in Swagger.Nullable_Integer;
Org_Periodapache_Periodfelix_Periodjetty_Periodgzip_Periodsync_Flush : in Swagger.Nullable_Boolean;
Org_Periodapache_Periodfelix_Periodjetty_Periodgzip_Periodexcluded_User_Agents : in Swagger.UString_Vectors.Vector;
Org_Periodapache_Periodfelix_Periodjetty_Periodgzip_Periodincluded_Methods : in Swagger.UString_Vectors.Vector;
Org_Periodapache_Periodfelix_Periodjetty_Periodgzip_Periodexcluded_Methods : in Swagger.UString_Vectors.Vector;
Org_Periodapache_Periodfelix_Periodjetty_Periodgzip_Periodincluded_Paths : in Swagger.UString_Vectors.Vector;
Org_Periodapache_Periodfelix_Periodjetty_Periodgzip_Periodexcluded_Paths : in Swagger.UString_Vectors.Vector;
Org_Periodapache_Periodfelix_Periodjetty_Periodgzip_Periodincluded_Mime_Types : in Swagger.UString_Vectors.Vector;
Org_Periodapache_Periodfelix_Periodjetty_Periodgzip_Periodexcluded_Mime_Types : in Swagger.UString_Vectors.Vector;
Org_Periodapache_Periodfelix_Periodhttp_Periodsession_Periodinvalidate : in Swagger.Nullable_Boolean;
Org_Periodapache_Periodfelix_Periodhttp_Periodsession_Perioduniqueid : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheFelixHttpInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("org.apache.felix.http.host", Org_Periodapache_Periodfelix_Periodhttp_Periodhost);
URI.Add_Param ("org.apache.felix.http.enable", Org_Periodapache_Periodfelix_Periodhttp_Periodenable);
URI.Add_Param ("org.osgi.service.http.port", Org_Periodosgi_Periodservice_Periodhttp_Periodport);
URI.Add_Param ("org.apache.felix.http.timeout", Org_Periodapache_Periodfelix_Periodhttp_Periodtimeout);
URI.Add_Param ("org.apache.felix.https.enable", Org_Periodapache_Periodfelix_Periodhttps_Periodenable);
URI.Add_Param ("org.osgi.service.http.port.secure", Org_Periodosgi_Periodservice_Periodhttp_Periodport_Periodsecure);
URI.Add_Param ("org.apache.felix.https.keystore", Org_Periodapache_Periodfelix_Periodhttps_Periodkeystore);
URI.Add_Param ("org.apache.felix.https.keystore.password", Org_Periodapache_Periodfelix_Periodhttps_Periodkeystore_Periodpassword);
URI.Add_Param ("org.apache.felix.https.keystore.key.password", Org_Periodapache_Periodfelix_Periodhttps_Periodkeystore_Periodkey_Periodpassword);
URI.Add_Param ("org.apache.felix.https.truststore", Org_Periodapache_Periodfelix_Periodhttps_Periodtruststore);
URI.Add_Param ("org.apache.felix.https.truststore.password", Org_Periodapache_Periodfelix_Periodhttps_Periodtruststore_Periodpassword);
URI.Add_Param ("org.apache.felix.https.clientcertificate", Org_Periodapache_Periodfelix_Periodhttps_Periodclientcertificate);
URI.Add_Param ("org.apache.felix.http.context_path", Org_Periodapache_Periodfelix_Periodhttp_Periodcontext_Path);
URI.Add_Param ("org.apache.felix.http.mbeans", Org_Periodapache_Periodfelix_Periodhttp_Periodmbeans);
URI.Add_Param ("org.apache.felix.http.session.timeout", Org_Periodapache_Periodfelix_Periodhttp_Periodsession_Periodtimeout);
URI.Add_Param ("org.apache.felix.http.jetty.threadpool.max", Org_Periodapache_Periodfelix_Periodhttp_Periodjetty_Periodthreadpool_Periodmax);
URI.Add_Param ("org.apache.felix.http.jetty.acceptors", Org_Periodapache_Periodfelix_Periodhttp_Periodjetty_Periodacceptors);
URI.Add_Param ("org.apache.felix.http.jetty.selectors", Org_Periodapache_Periodfelix_Periodhttp_Periodjetty_Periodselectors);
URI.Add_Param ("org.apache.felix.http.jetty.headerBufferSize", Org_Periodapache_Periodfelix_Periodhttp_Periodjetty_Periodheader_Buffer_Size);
URI.Add_Param ("org.apache.felix.http.jetty.requestBufferSize", Org_Periodapache_Periodfelix_Periodhttp_Periodjetty_Periodrequest_Buffer_Size);
URI.Add_Param ("org.apache.felix.http.jetty.responseBufferSize", Org_Periodapache_Periodfelix_Periodhttp_Periodjetty_Periodresponse_Buffer_Size);
URI.Add_Param ("org.apache.felix.http.jetty.maxFormSize", Org_Periodapache_Periodfelix_Periodhttp_Periodjetty_Periodmax_Form_Size);
URI.Add_Param ("org.apache.felix.http.path_exclusions", Org_Periodapache_Periodfelix_Periodhttp_Periodpath_Exclusions);
URI.Add_Param ("org.apache.felix.https.jetty.ciphersuites.excluded", Org_Periodapache_Periodfelix_Periodhttps_Periodjetty_Periodciphersuites_Periodexcluded);
URI.Add_Param ("org.apache.felix.https.jetty.ciphersuites.included", Org_Periodapache_Periodfelix_Periodhttps_Periodjetty_Periodciphersuites_Periodincluded);
URI.Add_Param ("org.apache.felix.http.jetty.sendServerHeader", Org_Periodapache_Periodfelix_Periodhttp_Periodjetty_Periodsend_Server_Header);
URI.Add_Param ("org.apache.felix.https.jetty.protocols.included", Org_Periodapache_Periodfelix_Periodhttps_Periodjetty_Periodprotocols_Periodincluded);
URI.Add_Param ("org.apache.felix.https.jetty.protocols.excluded", Org_Periodapache_Periodfelix_Periodhttps_Periodjetty_Periodprotocols_Periodexcluded);
URI.Add_Param ("org.apache.felix.proxy.load.balancer.connection.enable", Org_Periodapache_Periodfelix_Periodproxy_Periodload_Periodbalancer_Periodconnection_Periodenable);
URI.Add_Param ("org.apache.felix.https.jetty.renegotiateAllowed", Org_Periodapache_Periodfelix_Periodhttps_Periodjetty_Periodrenegotiate_Allowed);
URI.Add_Param ("org.apache.felix.https.jetty.session.cookie.httpOnly", Org_Periodapache_Periodfelix_Periodhttps_Periodjetty_Periodsession_Periodcookie_Periodhttp_Only);
URI.Add_Param ("org.apache.felix.https.jetty.session.cookie.secure", Org_Periodapache_Periodfelix_Periodhttps_Periodjetty_Periodsession_Periodcookie_Periodsecure);
URI.Add_Param ("org.eclipse.jetty.servlet.SessionIdPathParameterName", Org_Periodeclipse_Periodjetty_Periodservlet_Period_Session_Id_Path_Parameter_Name);
URI.Add_Param ("org.eclipse.jetty.servlet.CheckingRemoteSessionIdEncoding", Org_Periodeclipse_Periodjetty_Periodservlet_Period_Checking_Remote_Session_Id_Encoding);
URI.Add_Param ("org.eclipse.jetty.servlet.SessionCookie", Org_Periodeclipse_Periodjetty_Periodservlet_Period_Session_Cookie);
URI.Add_Param ("org.eclipse.jetty.servlet.SessionDomain", Org_Periodeclipse_Periodjetty_Periodservlet_Period_Session_Domain);
URI.Add_Param ("org.eclipse.jetty.servlet.SessionPath", Org_Periodeclipse_Periodjetty_Periodservlet_Period_Session_Path);
URI.Add_Param ("org.eclipse.jetty.servlet.MaxAge", Org_Periodeclipse_Periodjetty_Periodservlet_Period_Max_Age);
URI.Add_Param ("org.apache.felix.http.name", Org_Periodapache_Periodfelix_Periodhttp_Periodname);
URI.Add_Param ("org.apache.felix.jetty.gziphandler.enable", Org_Periodapache_Periodfelix_Periodjetty_Periodgziphandler_Periodenable);
URI.Add_Param ("org.apache.felix.jetty.gzip.minGzipSize", Org_Periodapache_Periodfelix_Periodjetty_Periodgzip_Periodmin_Gzip_Size);
URI.Add_Param ("org.apache.felix.jetty.gzip.compressionLevel", Org_Periodapache_Periodfelix_Periodjetty_Periodgzip_Periodcompression_Level);
URI.Add_Param ("org.apache.felix.jetty.gzip.inflateBufferSize", Org_Periodapache_Periodfelix_Periodjetty_Periodgzip_Periodinflate_Buffer_Size);
URI.Add_Param ("org.apache.felix.jetty.gzip.syncFlush", Org_Periodapache_Periodfelix_Periodjetty_Periodgzip_Periodsync_Flush);
URI.Add_Param ("org.apache.felix.jetty.gzip.excludedUserAgents", Org_Periodapache_Periodfelix_Periodjetty_Periodgzip_Periodexcluded_User_Agents);
URI.Add_Param ("org.apache.felix.jetty.gzip.includedMethods", Org_Periodapache_Periodfelix_Periodjetty_Periodgzip_Periodincluded_Methods);
URI.Add_Param ("org.apache.felix.jetty.gzip.excludedMethods", Org_Periodapache_Periodfelix_Periodjetty_Periodgzip_Periodexcluded_Methods);
URI.Add_Param ("org.apache.felix.jetty.gzip.includedPaths", Org_Periodapache_Periodfelix_Periodjetty_Periodgzip_Periodincluded_Paths);
URI.Add_Param ("org.apache.felix.jetty.gzip.excludedPaths", Org_Periodapache_Periodfelix_Periodjetty_Periodgzip_Periodexcluded_Paths);
URI.Add_Param ("org.apache.felix.jetty.gzip.includedMimeTypes", Org_Periodapache_Periodfelix_Periodjetty_Periodgzip_Periodincluded_Mime_Types);
URI.Add_Param ("org.apache.felix.jetty.gzip.excludedMimeTypes", Org_Periodapache_Periodfelix_Periodjetty_Periodgzip_Periodexcluded_Mime_Types);
URI.Add_Param ("org.apache.felix.http.session.invalidate", Org_Periodapache_Periodfelix_Periodhttp_Periodsession_Periodinvalidate);
URI.Add_Param ("org.apache.felix.http.session.uniqueid", Org_Periodapache_Periodfelix_Periodhttp_Periodsession_Perioduniqueid);
URI.Set_Path ("/system/console/configMgr/org.apache.felix.http");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Felix_Http;
--
procedure Org_Apache_Felix_Http_Sslfilter_Ssl_Filter
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Ssl_Forward_Periodheader : in Swagger.Nullable_UString;
Ssl_Forward_Periodvalue : in Swagger.Nullable_UString;
Ssl_Forward_Cert_Periodheader : in Swagger.Nullable_UString;
Rewrite_Periodabsolute_Periodurls : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheFelixHttpSslfilterSslFilterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("ssl-forward.header", Ssl_Forward_Periodheader);
URI.Add_Param ("ssl-forward.value", Ssl_Forward_Periodvalue);
URI.Add_Param ("ssl-forward-cert.header", Ssl_Forward_Cert_Periodheader);
URI.Add_Param ("rewrite.absolute.urls", Rewrite_Periodabsolute_Periodurls);
URI.Set_Path ("/system/console/configMgr/org.apache.felix.http.sslfilter.SslFilter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Felix_Http_Sslfilter_Ssl_Filter;
--
procedure Org_Apache_Felix_Jaas_Configuration_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Jaas_Periodcontrol_Flag : in Swagger.Nullable_UString;
Jaas_Periodranking : in Swagger.Nullable_Integer;
Jaas_Periodrealm_Name : in Swagger.Nullable_UString;
Jaas_Periodclassname : in Swagger.Nullable_UString;
Jaas_Periodoptions : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheFelixJaasConfigurationFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("jaas.controlFlag", Jaas_Periodcontrol_Flag);
URI.Add_Param ("jaas.ranking", Jaas_Periodranking);
URI.Add_Param ("jaas.realmName", Jaas_Periodrealm_Name);
URI.Add_Param ("jaas.classname", Jaas_Periodclassname);
URI.Add_Param ("jaas.options", Jaas_Periodoptions);
URI.Set_Path ("/system/console/configMgr/org.apache.felix.jaas.Configuration.factory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Felix_Jaas_Configuration_Factory;
--
procedure Org_Apache_Felix_Jaas_Configuration_Spi
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Jaas_Perioddefault_Realm_Name : in Swagger.Nullable_UString;
Jaas_Periodconfig_Provider_Name : in Swagger.Nullable_UString;
Jaas_Periodglobal_Config_Policy : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheFelixJaasConfigurationSpiInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("jaas.defaultRealmName", Jaas_Perioddefault_Realm_Name);
URI.Add_Param ("jaas.configProviderName", Jaas_Periodconfig_Provider_Name);
URI.Add_Param ("jaas.globalConfigPolicy", Jaas_Periodglobal_Config_Policy);
URI.Set_Path ("/system/console/configMgr/org.apache.felix.jaas.ConfigurationSpi");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Felix_Jaas_Configuration_Spi;
--
procedure Org_Apache_Felix_Scr_Scr_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Ds_Periodloglevel : in Swagger.Nullable_Integer;
Ds_Periodfactory_Periodenabled : in Swagger.Nullable_Boolean;
Ds_Perioddelayed_Periodkeep_Instances : in Swagger.Nullable_Boolean;
Ds_Periodlock_Periodtimeout_Periodmilliseconds : in Swagger.Nullable_Integer;
Ds_Periodstop_Periodtimeout_Periodmilliseconds : in Swagger.Nullable_Integer;
Ds_Periodglobal_Periodextender : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheFelixScrScrServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("ds.loglevel", Ds_Periodloglevel);
URI.Add_Param ("ds.factory.enabled", Ds_Periodfactory_Periodenabled);
URI.Add_Param ("ds.delayed.keepInstances", Ds_Perioddelayed_Periodkeep_Instances);
URI.Add_Param ("ds.lock.timeout.milliseconds", Ds_Periodlock_Periodtimeout_Periodmilliseconds);
URI.Add_Param ("ds.stop.timeout.milliseconds", Ds_Periodstop_Periodtimeout_Periodmilliseconds);
URI.Add_Param ("ds.global.extender", Ds_Periodglobal_Periodextender);
URI.Set_Path ("/system/console/configMgr/org.apache.felix.scr.ScrService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Felix_Scr_Scr_Service;
--
procedure Org_Apache_Felix_Systemready_Impl_Components_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Components_Periodlist : in Swagger.UString_Vectors.Vector;
P_Type : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheFelixSystemreadyImplComponentsCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("components.list", Components_Periodlist);
URI.Add_Param ("type", P_Type);
URI.Set_Path ("/system/console/configMgr/org.apache.felix.systemready.impl.ComponentsCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Felix_Systemready_Impl_Components_Check;
--
procedure Org_Apache_Felix_Systemready_Impl_Framework_Start_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Timeout : in Swagger.Nullable_Integer;
Target_Periodstart_Periodlevel : in Swagger.Nullable_Integer;
Target_Periodstart_Periodlevel_Periodprop_Periodname : in Swagger.Nullable_UString;
P_Type : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheFelixSystemreadyImplFrameworkStartCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("timeout", Timeout);
URI.Add_Param ("target.start.level", Target_Periodstart_Periodlevel);
URI.Add_Param ("target.start.level.prop.name", Target_Periodstart_Periodlevel_Periodprop_Periodname);
URI.Add_Param ("type", P_Type);
URI.Set_Path ("/system/console/configMgr/org.apache.felix.systemready.impl.FrameworkStartCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Felix_Systemready_Impl_Framework_Start_Check;
--
procedure Org_Apache_Felix_Systemready_Impl_Services_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Services_Periodlist : in Swagger.UString_Vectors.Vector;
P_Type : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheFelixSystemreadyImplServicesCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("services.list", Services_Periodlist);
URI.Add_Param ("type", P_Type);
URI.Set_Path ("/system/console/configMgr/org.apache.felix.systemready.impl.ServicesCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Felix_Systemready_Impl_Services_Check;
--
procedure Org_Apache_Felix_Systemready_Impl_Servlet_System_Alive_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Osgi_Periodhttp_Periodwhiteboard_Periodservlet_Periodpattern : in Swagger.Nullable_UString;
Osgi_Periodhttp_Periodwhiteboard_Periodcontext_Periodselect : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheFelixSystemreadyImplServletSystemAliveServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("osgi.http.whiteboard.servlet.pattern", Osgi_Periodhttp_Periodwhiteboard_Periodservlet_Periodpattern);
URI.Add_Param ("osgi.http.whiteboard.context.select", Osgi_Periodhttp_Periodwhiteboard_Periodcontext_Periodselect);
URI.Set_Path ("/system/console/configMgr/org.apache.felix.systemready.impl.servlet.SystemAliveServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Felix_Systemready_Impl_Servlet_System_Alive_Servlet;
--
procedure Org_Apache_Felix_Systemready_Impl_Servlet_System_Ready_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Osgi_Periodhttp_Periodwhiteboard_Periodservlet_Periodpattern : in Swagger.Nullable_UString;
Osgi_Periodhttp_Periodwhiteboard_Periodcontext_Periodselect : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheFelixSystemreadyImplServletSystemReadyServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("osgi.http.whiteboard.servlet.pattern", Osgi_Periodhttp_Periodwhiteboard_Periodservlet_Periodpattern);
URI.Add_Param ("osgi.http.whiteboard.context.select", Osgi_Periodhttp_Periodwhiteboard_Periodcontext_Periodselect);
URI.Set_Path ("/system/console/configMgr/org.apache.felix.systemready.impl.servlet.SystemReadyServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Felix_Systemready_Impl_Servlet_System_Ready_Servlet;
--
procedure Org_Apache_Felix_Systemready_System_Ready_Monitor
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Poll_Periodinterval : in Swagger.Nullable_Integer;
Result : out .Models.OrgApacheFelixSystemreadySystemReadyMonitorInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("poll.interval", Poll_Periodinterval);
URI.Set_Path ("/system/console/configMgr/org.apache.felix.systemready.SystemReadyMonitor");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Felix_Systemready_System_Ready_Monitor;
--
procedure Org_Apache_Felix_Webconsole_Internal_Servlet_Osgi_Manager
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Manager_Periodroot : in Swagger.Nullable_UString;
Http_Periodservice_Periodfilter : in Swagger.Nullable_UString;
Default_Periodrender : in Swagger.Nullable_UString;
Realm : in Swagger.Nullable_UString;
Username : in Swagger.Nullable_UString;
Password : in Swagger.Nullable_UString;
Category : in Swagger.Nullable_UString;
Locale : in Swagger.Nullable_UString;
Loglevel : in Swagger.Nullable_Integer;
Plugins : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheFelixWebconsoleInternalServletOsgiManagerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("manager.root", Manager_Periodroot);
URI.Add_Param ("http.service.filter", Http_Periodservice_Periodfilter);
URI.Add_Param ("default.render", Default_Periodrender);
URI.Add_Param ("realm", Realm);
URI.Add_Param ("username", Username);
URI.Add_Param ("password", Password);
URI.Add_Param ("category", Category);
URI.Add_Param ("locale", Locale);
URI.Add_Param ("loglevel", Loglevel);
URI.Add_Param ("plugins", Plugins);
URI.Set_Path ("/system/console/configMgr/org.apache.felix.webconsole.internal.servlet.OsgiManager");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Felix_Webconsole_Internal_Servlet_Osgi_Manager;
--
procedure Org_Apache_Felix_Webconsole_Plugins_Event_Internal_Plugin_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Max_Periodsize : in Swagger.Nullable_Integer;
Result : out .Models.OrgApacheFelixWebconsolePluginsEventInternalPluginServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("max.size", Max_Periodsize);
URI.Set_Path ("/system/console/configMgr/org.apache.felix.webconsole.plugins.event.internal.PluginServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Felix_Webconsole_Plugins_Event_Internal_Plugin_Servlet;
--
procedure Org_Apache_Felix_Webconsole_Plugins_Memoryusage_Internal_Memory_Usage_Co
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Felix_Periodmemoryusage_Perioddump_Periodthreshold : in Swagger.Nullable_Integer;
Felix_Periodmemoryusage_Perioddump_Periodinterval : in Swagger.Nullable_Integer;
Felix_Periodmemoryusage_Perioddump_Periodlocation : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheFelixWebconsolePluginsMemoryusageInternalMemoryUsageCoInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("felix.memoryusage.dump.threshold", Felix_Periodmemoryusage_Perioddump_Periodthreshold);
URI.Add_Param ("felix.memoryusage.dump.interval", Felix_Periodmemoryusage_Perioddump_Periodinterval);
URI.Add_Param ("felix.memoryusage.dump.location", Felix_Periodmemoryusage_Perioddump_Periodlocation);
URI.Set_Path ("/system/console/configMgr/org.apache.felix.webconsole.plugins.memoryusage.internal.MemoryUsageConfigurator");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Felix_Webconsole_Plugins_Memoryusage_Internal_Memory_Usage_Co;
--
procedure Org_Apache_Http_Proxyconfigurator
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Proxy_Periodenabled : in Swagger.Nullable_Boolean;
Proxy_Periodhost : in Swagger.Nullable_UString;
Proxy_Periodport : in Swagger.Nullable_Integer;
Proxy_Perioduser : in Swagger.Nullable_UString;
Proxy_Periodpassword : in Swagger.Nullable_UString;
Proxy_Periodexceptions : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheHttpProxyconfiguratorInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("proxy.enabled", Proxy_Periodenabled);
URI.Add_Param ("proxy.host", Proxy_Periodhost);
URI.Add_Param ("proxy.port", Proxy_Periodport);
URI.Add_Param ("proxy.user", Proxy_Perioduser);
URI.Add_Param ("proxy.password", Proxy_Periodpassword);
URI.Add_Param ("proxy.exceptions", Proxy_Periodexceptions);
URI.Set_Path ("/system/console/configMgr/org.apache.http.proxyconfigurator");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Http_Proxyconfigurator;
--
procedure Org_Apache_Jackrabbit_Oak_Plugins_Blob_Datastore_Data_Store_Text_Provider
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Dir : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheJackrabbitOakPluginsBlobDatastoreDataStoreTextProviderInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("dir", Dir);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.plugins.blob.datastore.DataStoreTextProviderService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Plugins_Blob_Datastore_Data_Store_Text_Provider;
--
procedure Org_Apache_Jackrabbit_Oak_Plugins_Blob_Datastore_File_Data_Store
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Path : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheJackrabbitOakPluginsBlobDatastoreFileDataStoreInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("path", Path);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.plugins.blob.datastore.FileDataStore");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Plugins_Blob_Datastore_File_Data_Store;
--
procedure Org_Apache_Jackrabbit_Oak_Plugins_Document_Document_Node_Store_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Mongouri : in Swagger.Nullable_UString;
Db : in Swagger.Nullable_UString;
Socket_Keep_Alive : in Swagger.Nullable_Boolean;
Cache : in Swagger.Nullable_Integer;
Node_Cache_Percentage : in Swagger.Nullable_Integer;
Prev_Doc_Cache_Percentage : in Swagger.Nullable_Integer;
Children_Cache_Percentage : in Swagger.Nullable_Integer;
Diff_Cache_Percentage : in Swagger.Nullable_Integer;
Cache_Segment_Count : in Swagger.Nullable_Integer;
Cache_Stack_Move_Distance : in Swagger.Nullable_Integer;
Blob_Cache_Size : in Swagger.Nullable_Integer;
Persistent_Cache : in Swagger.Nullable_UString;
Journal_Cache : in Swagger.Nullable_UString;
Custom_Blob_Store : in Swagger.Nullable_Boolean;
Journal_G_C_Interval : in Swagger.Nullable_Integer;
Journal_G_C_Max_Age : in Swagger.Nullable_Integer;
Prefetch_External_Changes : in Swagger.Nullable_Boolean;
Role : in Swagger.Nullable_UString;
Version_Gc_Max_Age_In_Secs : in Swagger.Nullable_Integer;
Version_G_C_Expression : in Swagger.Nullable_UString;
Version_G_C_Time_Limit_In_Secs : in Swagger.Nullable_Integer;
Blob_Gc_Max_Age_In_Secs : in Swagger.Nullable_Integer;
Blob_Track_Snapshot_Interval_In_Secs : in Swagger.Nullable_Integer;
Repository_Periodhome : in Swagger.Nullable_UString;
Max_Replication_Lag_In_Secs : in Swagger.Nullable_Integer;
Document_Store_Type : in Swagger.Nullable_UString;
Bundling_Disabled : in Swagger.Nullable_Boolean;
Update_Limit : in Swagger.Nullable_Integer;
Persistent_Cache_Includes : in Swagger.UString_Vectors.Vector;
Lease_Check_Mode : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheJackrabbitOakPluginsDocumentDocumentNodeStoreServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("mongouri", Mongouri);
URI.Add_Param ("db", Db);
URI.Add_Param ("socketKeepAlive", Socket_Keep_Alive);
URI.Add_Param ("cache", Cache);
URI.Add_Param ("nodeCachePercentage", Node_Cache_Percentage);
URI.Add_Param ("prevDocCachePercentage", Prev_Doc_Cache_Percentage);
URI.Add_Param ("childrenCachePercentage", Children_Cache_Percentage);
URI.Add_Param ("diffCachePercentage", Diff_Cache_Percentage);
URI.Add_Param ("cacheSegmentCount", Cache_Segment_Count);
URI.Add_Param ("cacheStackMoveDistance", Cache_Stack_Move_Distance);
URI.Add_Param ("blobCacheSize", Blob_Cache_Size);
URI.Add_Param ("persistentCache", Persistent_Cache);
URI.Add_Param ("journalCache", Journal_Cache);
URI.Add_Param ("customBlobStore", Custom_Blob_Store);
URI.Add_Param ("journalGCInterval", Journal_G_C_Interval);
URI.Add_Param ("journalGCMaxAge", Journal_G_C_Max_Age);
URI.Add_Param ("prefetchExternalChanges", Prefetch_External_Changes);
URI.Add_Param ("role", Role);
URI.Add_Param ("versionGcMaxAgeInSecs", Version_Gc_Max_Age_In_Secs);
URI.Add_Param ("versionGCExpression", Version_G_C_Expression);
URI.Add_Param ("versionGCTimeLimitInSecs", Version_G_C_Time_Limit_In_Secs);
URI.Add_Param ("blobGcMaxAgeInSecs", Blob_Gc_Max_Age_In_Secs);
URI.Add_Param ("blobTrackSnapshotIntervalInSecs", Blob_Track_Snapshot_Interval_In_Secs);
URI.Add_Param ("repository.home", Repository_Periodhome);
URI.Add_Param ("maxReplicationLagInSecs", Max_Replication_Lag_In_Secs);
URI.Add_Param ("documentStoreType", Document_Store_Type);
URI.Add_Param ("bundlingDisabled", Bundling_Disabled);
URI.Add_Param ("updateLimit", Update_Limit);
URI.Add_Param ("persistentCacheIncludes", Persistent_Cache_Includes);
URI.Add_Param ("leaseCheckMode", Lease_Check_Mode);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.plugins.document.DocumentNodeStoreService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Plugins_Document_Document_Node_Store_Service;
--
procedure Org_Apache_Jackrabbit_Oak_Plugins_Document_Document_Node_Store_Service_Pre
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Persistent_Cache_Includes : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheJackrabbitOakPluginsDocumentDocumentNodeStoreServicePreInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("persistentCacheIncludes", Persistent_Cache_Includes);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.plugins.document.DocumentNodeStoreServicePreset");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Plugins_Document_Document_Node_Store_Service_Pre;
--
procedure Org_Apache_Jackrabbit_Oak_Plugins_Document_Secondary_Secondary_Store_Cac
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Included_Paths : in Swagger.UString_Vectors.Vector;
Enable_Async_Observer : in Swagger.Nullable_Boolean;
Observer_Queue_Size : in Swagger.Nullable_Integer;
Result : out .Models.OrgApacheJackrabbitOakPluginsDocumentSecondarySecondaryStoreCacInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("includedPaths", Included_Paths);
URI.Add_Param ("enableAsyncObserver", Enable_Async_Observer);
URI.Add_Param ("observerQueueSize", Observer_Queue_Size);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.plugins.document.secondary.SecondaryStoreCacheService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Plugins_Document_Secondary_Secondary_Store_Cac;
--
procedure Org_Apache_Jackrabbit_Oak_Plugins_Index_Async_Indexer_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Async_Configs : in Swagger.UString_Vectors.Vector;
Lease_Time_Out_Minutes : in Swagger.Nullable_Integer;
Failing_Index_Timeout_Seconds : in Swagger.Nullable_Integer;
Error_Warn_Interval_Seconds : in Swagger.Nullable_Integer;
Result : out .Models.OrgApacheJackrabbitOakPluginsIndexAsyncIndexerServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("asyncConfigs", Async_Configs);
URI.Add_Param ("leaseTimeOutMinutes", Lease_Time_Out_Minutes);
URI.Add_Param ("failingIndexTimeoutSeconds", Failing_Index_Timeout_Seconds);
URI.Add_Param ("errorWarnIntervalSeconds", Error_Warn_Interval_Seconds);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.plugins.index.AsyncIndexerService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Plugins_Index_Async_Indexer_Service;
--
procedure Org_Apache_Jackrabbit_Oak_Plugins_Index_Lucene_Lucene_Index_Provider_Serv
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Disabled : in Swagger.Nullable_Boolean;
Debug : in Swagger.Nullable_Boolean;
Local_Index_Dir : in Swagger.Nullable_UString;
Enable_Open_Index_Async : in Swagger.Nullable_Boolean;
Thread_Pool_Size : in Swagger.Nullable_Integer;
Prefetch_Index_Files : in Swagger.Nullable_Boolean;
Extracted_Text_Cache_Size_In_M_B : in Swagger.Nullable_Integer;
Extracted_Text_Cache_Expiry_In_Secs : in Swagger.Nullable_Integer;
Always_Use_Pre_Extracted_Cache : in Swagger.Nullable_Boolean;
Boolean_Clause_Limit : in Swagger.Nullable_Integer;
Enable_Hybrid_Indexing : in Swagger.Nullable_Boolean;
Hybrid_Queue_Size : in Swagger.Nullable_Integer;
Disable_Stored_Index_Definition : in Swagger.Nullable_Boolean;
Deleted_Blobs_Collection_Enabled : in Swagger.Nullable_Boolean;
Prop_Index_Cleaner_Interval_In_Secs : in Swagger.Nullable_Integer;
Enable_Single_Blob_Index_Files : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheJackrabbitOakPluginsIndexLuceneLuceneIndexProviderServInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("disabled", Disabled);
URI.Add_Param ("debug", Debug);
URI.Add_Param ("localIndexDir", Local_Index_Dir);
URI.Add_Param ("enableOpenIndexAsync", Enable_Open_Index_Async);
URI.Add_Param ("threadPoolSize", Thread_Pool_Size);
URI.Add_Param ("prefetchIndexFiles", Prefetch_Index_Files);
URI.Add_Param ("extractedTextCacheSizeInMB", Extracted_Text_Cache_Size_In_M_B);
URI.Add_Param ("extractedTextCacheExpiryInSecs", Extracted_Text_Cache_Expiry_In_Secs);
URI.Add_Param ("alwaysUsePreExtractedCache", Always_Use_Pre_Extracted_Cache);
URI.Add_Param ("booleanClauseLimit", Boolean_Clause_Limit);
URI.Add_Param ("enableHybridIndexing", Enable_Hybrid_Indexing);
URI.Add_Param ("hybridQueueSize", Hybrid_Queue_Size);
URI.Add_Param ("disableStoredIndexDefinition", Disable_Stored_Index_Definition);
URI.Add_Param ("deletedBlobsCollectionEnabled", Deleted_Blobs_Collection_Enabled);
URI.Add_Param ("propIndexCleanerIntervalInSecs", Prop_Index_Cleaner_Interval_In_Secs);
URI.Add_Param ("enableSingleBlobIndexFiles", Enable_Single_Blob_Index_Files);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.plugins.index.lucene.LuceneIndexProviderService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Plugins_Index_Lucene_Lucene_Index_Provider_Serv;
--
procedure Org_Apache_Jackrabbit_Oak_Plugins_Index_Solr_Osgi_Embedded_Solr_Server_Co
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Solr_Periodhome_Periodpath : in Swagger.Nullable_UString;
Solr_Periodcore_Periodname : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheJackrabbitOakPluginsIndexSolrOsgiEmbeddedSolrServerCoInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("solr.home.path", Solr_Periodhome_Periodpath);
URI.Add_Param ("solr.core.name", Solr_Periodcore_Periodname);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.plugins.index.solr.osgi.EmbeddedSolrServerConfigurationProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Plugins_Index_Solr_Osgi_Embedded_Solr_Server_Co;
--
procedure Org_Apache_Jackrabbit_Oak_Plugins_Index_Solr_Osgi_Node_State_Solr_Servers
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Enabled : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheJackrabbitOakPluginsIndexSolrOsgiNodeStateSolrServersInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("enabled", Enabled);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.plugins.index.solr.osgi.NodeStateSolrServersObserverService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Plugins_Index_Solr_Osgi_Node_State_Solr_Servers;
--
procedure Org_Apache_Jackrabbit_Oak_Plugins_Index_Solr_Osgi_Oak_Solr_Configuration
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Path_Perioddesc_Periodfield : in Swagger.Nullable_UString;
Path_Periodchild_Periodfield : in Swagger.Nullable_UString;
Path_Periodparent_Periodfield : in Swagger.Nullable_UString;
Path_Periodexact_Periodfield : in Swagger.Nullable_UString;
Catch_Periodall_Periodfield : in Swagger.Nullable_UString;
Collapsed_Periodpath_Periodfield : in Swagger.Nullable_UString;
Path_Perioddepth_Periodfield : in Swagger.Nullable_UString;
Commit_Periodpolicy : in Swagger.Nullable_UString;
Rows : in Swagger.Nullable_Integer;
Path_Periodrestrictions : in Swagger.Nullable_Boolean;
Property_Periodrestrictions : in Swagger.Nullable_Boolean;
Primarytypes_Periodrestrictions : in Swagger.Nullable_Boolean;
Ignored_Periodproperties : in Swagger.UString_Vectors.Vector;
Used_Periodproperties : in Swagger.UString_Vectors.Vector;
Type_Periodmappings : in Swagger.UString_Vectors.Vector;
Property_Periodmappings : in Swagger.UString_Vectors.Vector;
Collapse_Periodjcrcontent_Periodnodes : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheJackrabbitOakPluginsIndexSolrOsgiOakSolrConfigurationInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("path.desc.field", Path_Perioddesc_Periodfield);
URI.Add_Param ("path.child.field", Path_Periodchild_Periodfield);
URI.Add_Param ("path.parent.field", Path_Periodparent_Periodfield);
URI.Add_Param ("path.exact.field", Path_Periodexact_Periodfield);
URI.Add_Param ("catch.all.field", Catch_Periodall_Periodfield);
URI.Add_Param ("collapsed.path.field", Collapsed_Periodpath_Periodfield);
URI.Add_Param ("path.depth.field", Path_Perioddepth_Periodfield);
URI.Add_Param ("commit.policy", Commit_Periodpolicy);
URI.Add_Param ("rows", Rows);
URI.Add_Param ("path.restrictions", Path_Periodrestrictions);
URI.Add_Param ("property.restrictions", Property_Periodrestrictions);
URI.Add_Param ("primarytypes.restrictions", Primarytypes_Periodrestrictions);
URI.Add_Param ("ignored.properties", Ignored_Periodproperties);
URI.Add_Param ("used.properties", Used_Periodproperties);
URI.Add_Param ("type.mappings", Type_Periodmappings);
URI.Add_Param ("property.mappings", Property_Periodmappings);
URI.Add_Param ("collapse.jcrcontent.nodes", Collapse_Periodjcrcontent_Periodnodes);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.plugins.index.solr.osgi.OakSolrConfigurationProviderService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Plugins_Index_Solr_Osgi_Oak_Solr_Configuration;
--
procedure Org_Apache_Jackrabbit_Oak_Plugins_Index_Solr_Osgi_Remote_Solr_Server_Conf
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Solr_Periodhttp_Periodurl : in Swagger.Nullable_UString;
Solr_Periodzk_Periodhost : in Swagger.Nullable_UString;
Solr_Periodcollection : in Swagger.Nullable_UString;
Solr_Periodsocket_Periodtimeout : in Swagger.Nullable_Integer;
Solr_Periodconnection_Periodtimeout : in Swagger.Nullable_Integer;
Solr_Periodshards_Periodno : in Swagger.Nullable_Integer;
Solr_Periodreplication_Periodfactor : in Swagger.Nullable_Integer;
Solr_Periodconf_Perioddir : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheJackrabbitOakPluginsIndexSolrOsgiRemoteSolrServerConfInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("solr.http.url", Solr_Periodhttp_Periodurl);
URI.Add_Param ("solr.zk.host", Solr_Periodzk_Periodhost);
URI.Add_Param ("solr.collection", Solr_Periodcollection);
URI.Add_Param ("solr.socket.timeout", Solr_Periodsocket_Periodtimeout);
URI.Add_Param ("solr.connection.timeout", Solr_Periodconnection_Periodtimeout);
URI.Add_Param ("solr.shards.no", Solr_Periodshards_Periodno);
URI.Add_Param ("solr.replication.factor", Solr_Periodreplication_Periodfactor);
URI.Add_Param ("solr.conf.dir", Solr_Periodconf_Perioddir);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.plugins.index.solr.osgi.RemoteSolrServerConfigurationProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Plugins_Index_Solr_Osgi_Remote_Solr_Server_Conf;
--
procedure Org_Apache_Jackrabbit_Oak_Plugins_Index_Solr_Osgi_Solr_Query_Index_Provid
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Query_Periodaggregation : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheJackrabbitOakPluginsIndexSolrOsgiSolrQueryIndexProvidInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("query.aggregation", Query_Periodaggregation);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.plugins.index.solr.osgi.SolrQueryIndexProviderService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Plugins_Index_Solr_Osgi_Solr_Query_Index_Provid;
--
procedure Org_Apache_Jackrabbit_Oak_Plugins_Index_Solr_Osgi_Solr_Server_Provider_Se
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Server_Periodtype : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheJackrabbitOakPluginsIndexSolrOsgiSolrServerProviderSeInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("server.type", Server_Periodtype);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.plugins.index.solr.osgi.SolrServerProviderService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Plugins_Index_Solr_Osgi_Solr_Server_Provider_Se;
--
procedure Org_Apache_Jackrabbit_Oak_Plugins_Metric_Statistics_Provider_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Provider_Type : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheJackrabbitOakPluginsMetricStatisticsProviderFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("providerType", Provider_Type);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.plugins.metric.StatisticsProviderFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Plugins_Metric_Statistics_Provider_Factory;
--
procedure Org_Apache_Jackrabbit_Oak_Plugins_Observation_Change_Collector_Provider
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Max_Items : in Swagger.Nullable_Integer;
Max_Path_Depth : in Swagger.Nullable_Integer;
Enabled : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheJackrabbitOakPluginsObservationChangeCollectorProviderInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("maxItems", Max_Items);
URI.Add_Param ("maxPathDepth", Max_Path_Depth);
URI.Add_Param ("enabled", Enabled);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.plugins.observation.ChangeCollectorProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Plugins_Observation_Change_Collector_Provider;
--
procedure Org_Apache_Jackrabbit_Oak_Query_Query_Engine_Settings_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Query_Limit_In_Memory : in Swagger.Nullable_Integer;
Query_Limit_Reads : in Swagger.Nullable_Integer;
Query_Fail_Traversal : in Swagger.Nullable_Boolean;
Fast_Query_Size : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheJackrabbitOakQueryQueryEngineSettingsServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("queryLimitInMemory", Query_Limit_In_Memory);
URI.Add_Param ("queryLimitReads", Query_Limit_Reads);
URI.Add_Param ("queryFailTraversal", Query_Fail_Traversal);
URI.Add_Param ("fastQuerySize", Fast_Query_Size);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.query.QueryEngineSettingsService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Query_Query_Engine_Settings_Service;
--
procedure Org_Apache_Jackrabbit_Oak_Security_Authentication_Authentication_Config
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Org_Periodapache_Periodjackrabbit_Periodoak_Periodauthentication_Periodapp_Name : in Swagger.Nullable_UString;
Org_Periodapache_Periodjackrabbit_Periodoak_Periodauthentication_Periodconfig_Spi_Name : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheJackrabbitOakSecurityAuthenticationAuthenticationConfigInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("org.apache.jackrabbit.oak.authentication.appName", Org_Periodapache_Periodjackrabbit_Periodoak_Periodauthentication_Periodapp_Name);
URI.Add_Param ("org.apache.jackrabbit.oak.authentication.configSpiName", Org_Periodapache_Periodjackrabbit_Periodoak_Periodauthentication_Periodconfig_Spi_Name);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.security.authentication.AuthenticationConfigurationImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Security_Authentication_Authentication_Config;
--
procedure Org_Apache_Jackrabbit_Oak_Security_Authentication_Ldap_Impl_Ldap_Identi
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Provider_Periodname : in Swagger.Nullable_UString;
Host_Periodname : in Swagger.Nullable_UString;
Host_Periodport : in Swagger.Nullable_Integer;
Host_Periodssl : in Swagger.Nullable_Boolean;
Host_Periodtls : in Swagger.Nullable_Boolean;
Host_Periodno_Cert_Check : in Swagger.Nullable_Boolean;
Bind_Perioddn : in Swagger.Nullable_UString;
Bind_Periodpassword : in Swagger.Nullable_UString;
Search_Timeout : in Swagger.Nullable_UString;
Admin_Pool_Periodmax_Active : in Swagger.Nullable_Integer;
Admin_Pool_Periodlookup_On_Validate : in Swagger.Nullable_Boolean;
User_Pool_Periodmax_Active : in Swagger.Nullable_Integer;
User_Pool_Periodlookup_On_Validate : in Swagger.Nullable_Boolean;
User_Periodbase_D_N : in Swagger.Nullable_UString;
User_Periodobjectclass : in Swagger.UString_Vectors.Vector;
User_Periodid_Attribute : in Swagger.Nullable_UString;
User_Periodextra_Filter : in Swagger.Nullable_UString;
User_Periodmake_Dn_Path : in Swagger.Nullable_Boolean;
Group_Periodbase_D_N : in Swagger.Nullable_UString;
Group_Periodobjectclass : in Swagger.UString_Vectors.Vector;
Group_Periodname_Attribute : in Swagger.Nullable_UString;
Group_Periodextra_Filter : in Swagger.Nullable_UString;
Group_Periodmake_Dn_Path : in Swagger.Nullable_Boolean;
Group_Periodmember_Attribute : in Swagger.Nullable_UString;
Use_Uid_For_Ext_Id : in Swagger.Nullable_Boolean;
Customattributes : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheJackrabbitOakSecurityAuthenticationLdapImplLdapIdentiInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("provider.name", Provider_Periodname);
URI.Add_Param ("host.name", Host_Periodname);
URI.Add_Param ("host.port", Host_Periodport);
URI.Add_Param ("host.ssl", Host_Periodssl);
URI.Add_Param ("host.tls", Host_Periodtls);
URI.Add_Param ("host.noCertCheck", Host_Periodno_Cert_Check);
URI.Add_Param ("bind.dn", Bind_Perioddn);
URI.Add_Param ("bind.password", Bind_Periodpassword);
URI.Add_Param ("searchTimeout", Search_Timeout);
URI.Add_Param ("adminPool.maxActive", Admin_Pool_Periodmax_Active);
URI.Add_Param ("adminPool.lookupOnValidate", Admin_Pool_Periodlookup_On_Validate);
URI.Add_Param ("userPool.maxActive", User_Pool_Periodmax_Active);
URI.Add_Param ("userPool.lookupOnValidate", User_Pool_Periodlookup_On_Validate);
URI.Add_Param ("user.baseDN", User_Periodbase_D_N);
URI.Add_Param ("user.objectclass", User_Periodobjectclass);
URI.Add_Param ("user.idAttribute", User_Periodid_Attribute);
URI.Add_Param ("user.extraFilter", User_Periodextra_Filter);
URI.Add_Param ("user.makeDnPath", User_Periodmake_Dn_Path);
URI.Add_Param ("group.baseDN", Group_Periodbase_D_N);
URI.Add_Param ("group.objectclass", Group_Periodobjectclass);
URI.Add_Param ("group.nameAttribute", Group_Periodname_Attribute);
URI.Add_Param ("group.extraFilter", Group_Periodextra_Filter);
URI.Add_Param ("group.makeDnPath", Group_Periodmake_Dn_Path);
URI.Add_Param ("group.memberAttribute", Group_Periodmember_Attribute);
URI.Add_Param ("useUidForExtId", Use_Uid_For_Ext_Id);
URI.Add_Param ("customattributes", Customattributes);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.security.authentication.ldap.impl.LdapIdentityProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Security_Authentication_Ldap_Impl_Ldap_Identi;
--
procedure Org_Apache_Jackrabbit_Oak_Security_Authentication_Token_Token_Configura
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Token_Expiration : in Swagger.Nullable_UString;
Token_Length : in Swagger.Nullable_UString;
Token_Refresh : in Swagger.Nullable_Boolean;
Token_Cleanup_Threshold : in Swagger.Nullable_Integer;
Password_Hash_Algorithm : in Swagger.Nullable_UString;
Password_Hash_Iterations : in Swagger.Nullable_Integer;
Password_Salt_Size : in Swagger.Nullable_Integer;
Result : out .Models.OrgApacheJackrabbitOakSecurityAuthenticationTokenTokenConfiguraInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("tokenExpiration", Token_Expiration);
URI.Add_Param ("tokenLength", Token_Length);
URI.Add_Param ("tokenRefresh", Token_Refresh);
URI.Add_Param ("tokenCleanupThreshold", Token_Cleanup_Threshold);
URI.Add_Param ("passwordHashAlgorithm", Password_Hash_Algorithm);
URI.Add_Param ("passwordHashIterations", Password_Hash_Iterations);
URI.Add_Param ("passwordSaltSize", Password_Salt_Size);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.security.authentication.token.TokenConfigurationImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Security_Authentication_Token_Token_Configura;
--
procedure Org_Apache_Jackrabbit_Oak_Security_Authorization_Authorization_Configur
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Permissions_Jr2 : in Swagger.Nullable_UString;
Import_Behavior : in Swagger.Nullable_UString;
Read_Paths : in Swagger.UString_Vectors.Vector;
Administrative_Principals : in Swagger.UString_Vectors.Vector;
Configuration_Ranking : in Swagger.Nullable_Integer;
Result : out .Models.OrgApacheJackrabbitOakSecurityAuthorizationAuthorizationConfigurInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("permissionsJr2", Permissions_Jr2);
URI.Add_Param ("importBehavior", Import_Behavior);
URI.Add_Param ("readPaths", Read_Paths);
URI.Add_Param ("administrativePrincipals", Administrative_Principals);
URI.Add_Param ("configurationRanking", Configuration_Ranking);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.security.authorization.AuthorizationConfigurationImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Security_Authorization_Authorization_Configur;
--
procedure Org_Apache_Jackrabbit_Oak_Security_Internal_Security_Provider_Registrati
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Required_Service_Pids : in Swagger.UString_Vectors.Vector;
Authorization_Composition_Type : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheJackrabbitOakSecurityInternalSecurityProviderRegistratiInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("requiredServicePids", Required_Service_Pids);
URI.Add_Param ("authorizationCompositionType", Authorization_Composition_Type);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.security.internal.SecurityProviderRegistration");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Security_Internal_Security_Provider_Registrati;
--
procedure Org_Apache_Jackrabbit_Oak_Security_User_Random_Authorizable_Node_Name
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Length : in Swagger.Nullable_Integer;
Result : out .Models.OrgApacheJackrabbitOakSecurityUserRandomAuthorizableNodeNameInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("length", Length);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.security.user.RandomAuthorizableNodeName");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Security_User_Random_Authorizable_Node_Name;
--
procedure Org_Apache_Jackrabbit_Oak_Security_User_User_Configuration_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Users_Path : in Swagger.Nullable_UString;
Groups_Path : in Swagger.Nullable_UString;
System_Relative_Path : in Swagger.Nullable_UString;
Default_Depth : in Swagger.Nullable_Integer;
Import_Behavior : in Swagger.Nullable_UString;
Password_Hash_Algorithm : in Swagger.Nullable_UString;
Password_Hash_Iterations : in Swagger.Nullable_Integer;
Password_Salt_Size : in Swagger.Nullable_Integer;
Omit_Admin_Pw : in Swagger.Nullable_Boolean;
Support_Auto_Save : in Swagger.Nullable_Boolean;
Password_Max_Age : in Swagger.Nullable_Integer;
Initial_Password_Change : in Swagger.Nullable_Boolean;
Password_History_Size : in Swagger.Nullable_Integer;
Password_Expiry_For_Admin : in Swagger.Nullable_Boolean;
Cache_Expiration : in Swagger.Nullable_Integer;
Enable_R_F_C7613_Usercase_Mapped_Profile : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheJackrabbitOakSecurityUserUserConfigurationImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("usersPath", Users_Path);
URI.Add_Param ("groupsPath", Groups_Path);
URI.Add_Param ("systemRelativePath", System_Relative_Path);
URI.Add_Param ("defaultDepth", Default_Depth);
URI.Add_Param ("importBehavior", Import_Behavior);
URI.Add_Param ("passwordHashAlgorithm", Password_Hash_Algorithm);
URI.Add_Param ("passwordHashIterations", Password_Hash_Iterations);
URI.Add_Param ("passwordSaltSize", Password_Salt_Size);
URI.Add_Param ("omitAdminPw", Omit_Admin_Pw);
URI.Add_Param ("supportAutoSave", Support_Auto_Save);
URI.Add_Param ("passwordMaxAge", Password_Max_Age);
URI.Add_Param ("initialPasswordChange", Initial_Password_Change);
URI.Add_Param ("passwordHistorySize", Password_History_Size);
URI.Add_Param ("passwordExpiryForAdmin", Password_Expiry_For_Admin);
URI.Add_Param ("cacheExpiration", Cache_Expiration);
URI.Add_Param ("enableRFC7613UsercaseMappedProfile", Enable_R_F_C7613_Usercase_Mapped_Profile);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.security.user.UserConfigurationImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Security_User_User_Configuration_Impl;
--
procedure Org_Apache_Jackrabbit_Oak_Segment_Azure_Azure_Segment_Store_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Account_Name : in Swagger.Nullable_UString;
Container_Name : in Swagger.Nullable_UString;
Access_Key : in Swagger.Nullable_UString;
Root_Path : in Swagger.Nullable_UString;
Connection_U_R_L : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheJackrabbitOakSegmentAzureAzureSegmentStoreServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("accountName", Account_Name);
URI.Add_Param ("containerName", Container_Name);
URI.Add_Param ("accessKey", Access_Key);
URI.Add_Param ("rootPath", Root_Path);
URI.Add_Param ("connectionURL", Connection_U_R_L);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.segment.azure.AzureSegmentStoreService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Segment_Azure_Azure_Segment_Store_Service;
--
procedure Org_Apache_Jackrabbit_Oak_Segment_Segment_Node_Store_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Repository_Periodhome : in Swagger.Nullable_UString;
Tarmk_Periodmode : in Swagger.Nullable_UString;
Tarmk_Periodsize : in Swagger.Nullable_Integer;
Segment_Cache_Periodsize : in Swagger.Nullable_Integer;
String_Cache_Periodsize : in Swagger.Nullable_Integer;
Template_Cache_Periodsize : in Swagger.Nullable_Integer;
String_Deduplication_Cache_Periodsize : in Swagger.Nullable_Integer;
Template_Deduplication_Cache_Periodsize : in Swagger.Nullable_Integer;
Node_Deduplication_Cache_Periodsize : in Swagger.Nullable_Integer;
Pause_Compaction : in Swagger.Nullable_Boolean;
Compaction_Periodretry_Count : in Swagger.Nullable_Integer;
Compaction_Periodforce_Periodtimeout : in Swagger.Nullable_Integer;
Compaction_Periodsize_Delta_Estimation : in Swagger.Nullable_Integer;
Compaction_Perioddisable_Estimation : in Swagger.Nullable_Boolean;
Compaction_Periodretained_Generations : in Swagger.Nullable_Integer;
Compaction_Periodmemory_Threshold : in Swagger.Nullable_Integer;
Compaction_Periodprogress_Log : in Swagger.Nullable_Integer;
Standby : in Swagger.Nullable_Boolean;
Custom_Blob_Store : in Swagger.Nullable_Boolean;
Custom_Segment_Store : in Swagger.Nullable_Boolean;
Split_Persistence : in Swagger.Nullable_Boolean;
Repository_Periodbackup_Perioddir : in Swagger.Nullable_UString;
Blob_Gc_Max_Age_In_Secs : in Swagger.Nullable_Integer;
Blob_Track_Snapshot_Interval_In_Secs : in Swagger.Nullable_Integer;
Role : in Swagger.Nullable_UString;
Register_Descriptors : in Swagger.Nullable_Boolean;
Dispatch_Changes : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheJackrabbitOakSegmentSegmentNodeStoreFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("repository.home", Repository_Periodhome);
URI.Add_Param ("tarmk.mode", Tarmk_Periodmode);
URI.Add_Param ("tarmk.size", Tarmk_Periodsize);
URI.Add_Param ("segmentCache.size", Segment_Cache_Periodsize);
URI.Add_Param ("stringCache.size", String_Cache_Periodsize);
URI.Add_Param ("templateCache.size", Template_Cache_Periodsize);
URI.Add_Param ("stringDeduplicationCache.size", String_Deduplication_Cache_Periodsize);
URI.Add_Param ("templateDeduplicationCache.size", Template_Deduplication_Cache_Periodsize);
URI.Add_Param ("nodeDeduplicationCache.size", Node_Deduplication_Cache_Periodsize);
URI.Add_Param ("pauseCompaction", Pause_Compaction);
URI.Add_Param ("compaction.retryCount", Compaction_Periodretry_Count);
URI.Add_Param ("compaction.force.timeout", Compaction_Periodforce_Periodtimeout);
URI.Add_Param ("compaction.sizeDeltaEstimation", Compaction_Periodsize_Delta_Estimation);
URI.Add_Param ("compaction.disableEstimation", Compaction_Perioddisable_Estimation);
URI.Add_Param ("compaction.retainedGenerations", Compaction_Periodretained_Generations);
URI.Add_Param ("compaction.memoryThreshold", Compaction_Periodmemory_Threshold);
URI.Add_Param ("compaction.progressLog", Compaction_Periodprogress_Log);
URI.Add_Param ("standby", Standby);
URI.Add_Param ("customBlobStore", Custom_Blob_Store);
URI.Add_Param ("customSegmentStore", Custom_Segment_Store);
URI.Add_Param ("splitPersistence", Split_Persistence);
URI.Add_Param ("repository.backup.dir", Repository_Periodbackup_Perioddir);
URI.Add_Param ("blobGcMaxAgeInSecs", Blob_Gc_Max_Age_In_Secs);
URI.Add_Param ("blobTrackSnapshotIntervalInSecs", Blob_Track_Snapshot_Interval_In_Secs);
URI.Add_Param ("role", Role);
URI.Add_Param ("registerDescriptors", Register_Descriptors);
URI.Add_Param ("dispatchChanges", Dispatch_Changes);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.segment.SegmentNodeStoreFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Segment_Segment_Node_Store_Factory;
--
procedure Org_Apache_Jackrabbit_Oak_Segment_Segment_Node_Store_Monitor_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Commits_Tracker_Writer_Groups : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheJackrabbitOakSegmentSegmentNodeStoreMonitorServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("commitsTrackerWriterGroups", Commits_Tracker_Writer_Groups);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.segment.SegmentNodeStoreMonitorService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Segment_Segment_Node_Store_Monitor_Service;
--
procedure Org_Apache_Jackrabbit_Oak_Segment_Segment_Node_Store_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Repository_Periodhome : in Swagger.Nullable_UString;
Tarmk_Periodmode : in Swagger.Nullable_UString;
Tarmk_Periodsize : in Swagger.Nullable_Integer;
Segment_Cache_Periodsize : in Swagger.Nullable_Integer;
String_Cache_Periodsize : in Swagger.Nullable_Integer;
Template_Cache_Periodsize : in Swagger.Nullable_Integer;
String_Deduplication_Cache_Periodsize : in Swagger.Nullable_Integer;
Template_Deduplication_Cache_Periodsize : in Swagger.Nullable_Integer;
Node_Deduplication_Cache_Periodsize : in Swagger.Nullable_Integer;
Pause_Compaction : in Swagger.Nullable_Boolean;
Compaction_Periodretry_Count : in Swagger.Nullable_Integer;
Compaction_Periodforce_Periodtimeout : in Swagger.Nullable_Integer;
Compaction_Periodsize_Delta_Estimation : in Swagger.Nullable_Integer;
Compaction_Perioddisable_Estimation : in Swagger.Nullable_Boolean;
Compaction_Periodretained_Generations : in Swagger.Nullable_Integer;
Compaction_Periodmemory_Threshold : in Swagger.Nullable_Integer;
Compaction_Periodprogress_Log : in Swagger.Nullable_Integer;
Standby : in Swagger.Nullable_Boolean;
Custom_Blob_Store : in Swagger.Nullable_Boolean;
Custom_Segment_Store : in Swagger.Nullable_Boolean;
Split_Persistence : in Swagger.Nullable_Boolean;
Repository_Periodbackup_Perioddir : in Swagger.Nullable_UString;
Blob_Gc_Max_Age_In_Secs : in Swagger.Nullable_Integer;
Blob_Track_Snapshot_Interval_In_Secs : in Swagger.Nullable_Integer;
Result : out .Models.OrgApacheJackrabbitOakSegmentSegmentNodeStoreServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("repository.home", Repository_Periodhome);
URI.Add_Param ("tarmk.mode", Tarmk_Periodmode);
URI.Add_Param ("tarmk.size", Tarmk_Periodsize);
URI.Add_Param ("segmentCache.size", Segment_Cache_Periodsize);
URI.Add_Param ("stringCache.size", String_Cache_Periodsize);
URI.Add_Param ("templateCache.size", Template_Cache_Periodsize);
URI.Add_Param ("stringDeduplicationCache.size", String_Deduplication_Cache_Periodsize);
URI.Add_Param ("templateDeduplicationCache.size", Template_Deduplication_Cache_Periodsize);
URI.Add_Param ("nodeDeduplicationCache.size", Node_Deduplication_Cache_Periodsize);
URI.Add_Param ("pauseCompaction", Pause_Compaction);
URI.Add_Param ("compaction.retryCount", Compaction_Periodretry_Count);
URI.Add_Param ("compaction.force.timeout", Compaction_Periodforce_Periodtimeout);
URI.Add_Param ("compaction.sizeDeltaEstimation", Compaction_Periodsize_Delta_Estimation);
URI.Add_Param ("compaction.disableEstimation", Compaction_Perioddisable_Estimation);
URI.Add_Param ("compaction.retainedGenerations", Compaction_Periodretained_Generations);
URI.Add_Param ("compaction.memoryThreshold", Compaction_Periodmemory_Threshold);
URI.Add_Param ("compaction.progressLog", Compaction_Periodprogress_Log);
URI.Add_Param ("standby", Standby);
URI.Add_Param ("customBlobStore", Custom_Blob_Store);
URI.Add_Param ("customSegmentStore", Custom_Segment_Store);
URI.Add_Param ("splitPersistence", Split_Persistence);
URI.Add_Param ("repository.backup.dir", Repository_Periodbackup_Perioddir);
URI.Add_Param ("blobGcMaxAgeInSecs", Blob_Gc_Max_Age_In_Secs);
URI.Add_Param ("blobTrackSnapshotIntervalInSecs", Blob_Track_Snapshot_Interval_In_Secs);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.segment.SegmentNodeStoreService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Segment_Segment_Node_Store_Service;
--
procedure Org_Apache_Jackrabbit_Oak_Segment_Standby_Store_Standby_Store_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Org_Periodapache_Periodsling_Periodinstaller_Periodconfiguration_Periodpersist : in Swagger.Nullable_Boolean;
Mode : in Swagger.Nullable_UString;
Port : in Swagger.Nullable_Integer;
Primary_Periodhost : in Swagger.Nullable_UString;
Interval : in Swagger.Nullable_Integer;
Primary_Periodallowed_Client_Ip_Ranges : in Swagger.UString_Vectors.Vector;
Secure : in Swagger.Nullable_Boolean;
Standby_Periodreadtimeout : in Swagger.Nullable_Integer;
Standby_Periodautoclean : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheJackrabbitOakSegmentStandbyStoreStandbyStoreServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("org.apache.sling.installer.configuration.persist", Org_Periodapache_Periodsling_Periodinstaller_Periodconfiguration_Periodpersist);
URI.Add_Param ("mode", Mode);
URI.Add_Param ("port", Port);
URI.Add_Param ("primary.host", Primary_Periodhost);
URI.Add_Param ("interval", Interval);
URI.Add_Param ("primary.allowed-client-ip-ranges", Primary_Periodallowed_Client_Ip_Ranges);
URI.Add_Param ("secure", Secure);
URI.Add_Param ("standby.readtimeout", Standby_Periodreadtimeout);
URI.Add_Param ("standby.autoclean", Standby_Periodautoclean);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.segment.standby.store.StandbyStoreService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Segment_Standby_Store_Standby_Store_Service;
--
procedure Org_Apache_Jackrabbit_Oak_Spi_Security_Authentication_External_Impl_De
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Handler_Periodname : in Swagger.Nullable_UString;
User_Periodexpiration_Time : in Swagger.Nullable_UString;
User_Periodauto_Membership : in Swagger.UString_Vectors.Vector;
User_Periodproperty_Mapping : in Swagger.UString_Vectors.Vector;
User_Periodpath_Prefix : in Swagger.Nullable_UString;
User_Periodmembership_Exp_Time : in Swagger.Nullable_UString;
User_Periodmembership_Nesting_Depth : in Swagger.Nullable_Integer;
User_Perioddynamic_Membership : in Swagger.Nullable_Boolean;
User_Perioddisable_Missing : in Swagger.Nullable_Boolean;
Group_Periodexpiration_Time : in Swagger.Nullable_UString;
Group_Periodauto_Membership : in Swagger.UString_Vectors.Vector;
Group_Periodproperty_Mapping : in Swagger.UString_Vectors.Vector;
Group_Periodpath_Prefix : in Swagger.Nullable_UString;
Enable_R_F_C7613_Usercase_Mapped_Profile : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheJackrabbitOakSpiSecurityAuthenticationExternalImplDeInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("handler.name", Handler_Periodname);
URI.Add_Param ("user.expirationTime", User_Periodexpiration_Time);
URI.Add_Param ("user.autoMembership", User_Periodauto_Membership);
URI.Add_Param ("user.propertyMapping", User_Periodproperty_Mapping);
URI.Add_Param ("user.pathPrefix", User_Periodpath_Prefix);
URI.Add_Param ("user.membershipExpTime", User_Periodmembership_Exp_Time);
URI.Add_Param ("user.membershipNestingDepth", User_Periodmembership_Nesting_Depth);
URI.Add_Param ("user.dynamicMembership", User_Perioddynamic_Membership);
URI.Add_Param ("user.disableMissing", User_Perioddisable_Missing);
URI.Add_Param ("group.expirationTime", Group_Periodexpiration_Time);
URI.Add_Param ("group.autoMembership", Group_Periodauto_Membership);
URI.Add_Param ("group.propertyMapping", Group_Periodproperty_Mapping);
URI.Add_Param ("group.pathPrefix", Group_Periodpath_Prefix);
URI.Add_Param ("enableRFC7613UsercaseMappedProfile", Enable_R_F_C7613_Usercase_Mapped_Profile);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.spi.security.authentication.external.impl.DefaultSyncHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Spi_Security_Authentication_External_Impl_De;
--
procedure Org_Apache_Jackrabbit_Oak_Spi_Security_Authentication_External_Impl_Ex
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Jaas_Periodranking : in Swagger.Nullable_Integer;
Jaas_Periodcontrol_Flag : in Swagger.Nullable_UString;
Jaas_Periodrealm_Name : in Swagger.Nullable_UString;
Idp_Periodname : in Swagger.Nullable_UString;
Sync_Periodhandler_Name : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheJackrabbitOakSpiSecurityAuthenticationExternalImplExInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("jaas.ranking", Jaas_Periodranking);
URI.Add_Param ("jaas.controlFlag", Jaas_Periodcontrol_Flag);
URI.Add_Param ("jaas.realmName", Jaas_Periodrealm_Name);
URI.Add_Param ("idp.name", Idp_Periodname);
URI.Add_Param ("sync.handlerName", Sync_Periodhandler_Name);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.spi.security.authentication.external.impl.ExternalLoginModuleFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Spi_Security_Authentication_External_Impl_Ex;
--
procedure Org_Apache_Jackrabbit_Oak_Spi_Security_Authentication_External_Impl_Pr
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Protect_External_Id : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheJackrabbitOakSpiSecurityAuthenticationExternalImplPrInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("protectExternalId", Protect_External_Id);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.spi.security.authentication.external.impl.principal.ExternalPrincipalConfiguration");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Spi_Security_Authentication_External_Impl_Pr;
--
procedure Org_Apache_Jackrabbit_Oak_Spi_Security_Authorization_Cug_Impl_Cug_Confi
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Cug_Supported_Paths : in Swagger.UString_Vectors.Vector;
Cug_Enabled : in Swagger.Nullable_Boolean;
Configuration_Ranking : in Swagger.Nullable_Integer;
Result : out .Models.OrgApacheJackrabbitOakSpiSecurityAuthorizationCugImplCugConfiInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("cugSupportedPaths", Cug_Supported_Paths);
URI.Add_Param ("cugEnabled", Cug_Enabled);
URI.Add_Param ("configurationRanking", Configuration_Ranking);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.spi.security.authorization.cug.impl.CugConfiguration");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Spi_Security_Authorization_Cug_Impl_Cug_Confi;
--
procedure Org_Apache_Jackrabbit_Oak_Spi_Security_Authorization_Cug_Impl_Cug_Exclu
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Principal_Names : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheJackrabbitOakSpiSecurityAuthorizationCugImplCugExcluInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("principalNames", Principal_Names);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.spi.security.authorization.cug.impl.CugExcludeImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Spi_Security_Authorization_Cug_Impl_Cug_Exclu;
--
procedure Org_Apache_Jackrabbit_Oak_Spi_Security_User_Action_Default_Authorizable
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Enabled_Actions : in Swagger.Nullable_UString;
User_Privilege_Names : in Swagger.UString_Vectors.Vector;
Group_Privilege_Names : in Swagger.UString_Vectors.Vector;
Constraint : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheJackrabbitOakSpiSecurityUserActionDefaultAuthorizableInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("enabledActions", Enabled_Actions);
URI.Add_Param ("userPrivilegeNames", User_Privilege_Names);
URI.Add_Param ("groupPrivilegeNames", Group_Privilege_Names);
URI.Add_Param ("constraint", Constraint);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.oak.spi.security.user.action.DefaultAuthorizableActionProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Oak_Spi_Security_User_Action_Default_Authorizable;
--
procedure Org_Apache_Jackrabbit_Vault_Packaging_Impl_Packaging_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Package_Roots : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheJackrabbitVaultPackagingImplPackagingImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("packageRoots", Package_Roots);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.vault.packaging.impl.PackagingImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Vault_Packaging_Impl_Packaging_Impl;
--
procedure Org_Apache_Jackrabbit_Vault_Packaging_Registry_Impl_F_S_Package_Registry
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Home_Path : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheJackrabbitVaultPackagingRegistryImplFSPackageRegistryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("homePath", Home_Path);
URI.Set_Path ("/system/console/configMgr/org.apache.jackrabbit.vault.packaging.registry.impl.FSPackageRegistry");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Jackrabbit_Vault_Packaging_Registry_Impl_F_S_Package_Registry;
--
procedure Org_Apache_Sling_Auth_Core_Impl_Logout_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Sling_Periodservlet_Periodmethods : in Swagger.UString_Vectors.Vector;
Sling_Periodservlet_Periodpaths : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingAuthCoreImplLogoutServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("sling.servlet.methods", Sling_Periodservlet_Periodmethods);
URI.Add_Param ("sling.servlet.paths", Sling_Periodservlet_Periodpaths);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.auth.core.impl.LogoutServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Auth_Core_Impl_Logout_Servlet;
--
procedure Org_Apache_Sling_Caconfig_Impl_Configuration_Bindings_Value_Provider
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Enabled : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheSlingCaconfigImplConfigurationBindingsValueProviderInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("enabled", Enabled);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.caconfig.impl.ConfigurationBindingsValueProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Caconfig_Impl_Configuration_Bindings_Value_Provider;
--
procedure Org_Apache_Sling_Caconfig_Impl_Configuration_Resolver_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Config_Bucket_Names : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheSlingCaconfigImplConfigurationResolverImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("configBucketNames", Config_Bucket_Names);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.caconfig.impl.ConfigurationResolverImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Caconfig_Impl_Configuration_Resolver_Impl;
--
procedure Org_Apache_Sling_Caconfig_Impl_Def_Default_Configuration_Inheritance_Stra
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Enabled : in Swagger.Nullable_Boolean;
Config_Property_Inheritance_Property_Names : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheSlingCaconfigImplDefDefaultConfigurationInheritanceStraInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("enabled", Enabled);
URI.Add_Param ("configPropertyInheritancePropertyNames", Config_Property_Inheritance_Property_Names);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.caconfig.impl.def.DefaultConfigurationInheritanceStrategy");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Caconfig_Impl_Def_Default_Configuration_Inheritance_Stra;
--
procedure Org_Apache_Sling_Caconfig_Impl_Def_Default_Configuration_Persistence_Stra
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Enabled : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheSlingCaconfigImplDefDefaultConfigurationPersistenceStraInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("enabled", Enabled);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.caconfig.impl.def.DefaultConfigurationPersistenceStrategy");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Caconfig_Impl_Def_Default_Configuration_Persistence_Stra;
--
procedure Org_Apache_Sling_Caconfig_Impl_Override_Osgi_Configuration_Override_Provi
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Description : in Swagger.Nullable_UString;
Overrides : in Swagger.UString_Vectors.Vector;
Enabled : in Swagger.Nullable_Boolean;
Service_Periodranking : in Swagger.Nullable_Integer;
Result : out .Models.OrgApacheSlingCaconfigImplOverrideOsgiConfigurationOverrideProviInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("description", Description);
URI.Add_Param ("overrides", Overrides);
URI.Add_Param ("enabled", Enabled);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.caconfig.impl.override.OsgiConfigurationOverrideProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Caconfig_Impl_Override_Osgi_Configuration_Override_Provi;
--
procedure Org_Apache_Sling_Caconfig_Impl_Override_System_Property_Configuration_Ove
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Enabled : in Swagger.Nullable_Boolean;
Service_Periodranking : in Swagger.Nullable_Integer;
Result : out .Models.OrgApacheSlingCaconfigImplOverrideSystemPropertyConfigurationOveInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("enabled", Enabled);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.caconfig.impl.override.SystemPropertyConfigurationOverrideProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Caconfig_Impl_Override_System_Property_Configuration_Ove;
--
procedure Org_Apache_Sling_Caconfig_Management_Impl_Configuration_Management_Setti
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Ignore_Property_Name_Regex : in Swagger.UString_Vectors.Vector;
Config_Collection_Properties_Resource_Names : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheSlingCaconfigManagementImplConfigurationManagementSettiInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("ignorePropertyNameRegex", Ignore_Property_Name_Regex);
URI.Add_Param ("configCollectionPropertiesResourceNames", Config_Collection_Properties_Resource_Names);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.caconfig.management.impl.ConfigurationManagementSettingsImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Caconfig_Management_Impl_Configuration_Management_Setti;
--
procedure Org_Apache_Sling_Caconfig_Resource_Impl_Def_Default_Configuration_Resour
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Enabled : in Swagger.Nullable_Boolean;
Config_Path : in Swagger.Nullable_UString;
Fallback_Paths : in Swagger.UString_Vectors.Vector;
Config_Collection_Inheritance_Property_Names : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheSlingCaconfigResourceImplDefDefaultConfigurationResourInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("enabled", Enabled);
URI.Add_Param ("configPath", Config_Path);
URI.Add_Param ("fallbackPaths", Fallback_Paths);
URI.Add_Param ("configCollectionInheritancePropertyNames", Config_Collection_Inheritance_Property_Names);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.caconfig.resource.impl.def.DefaultConfigurationResourceResolvingStrategy");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Caconfig_Resource_Impl_Def_Default_Configuration_Resour;
--
procedure Org_Apache_Sling_Caconfig_Resource_Impl_Def_Default_Context_Path_Strategy
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Enabled : in Swagger.Nullable_Boolean;
Config_Ref_Resource_Names : in Swagger.UString_Vectors.Vector;
Config_Ref_Property_Names : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Result : out .Models.OrgApacheSlingCaconfigResourceImplDefDefaultContextPathStrategyInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("enabled", Enabled);
URI.Add_Param ("configRefResourceNames", Config_Ref_Resource_Names);
URI.Add_Param ("configRefPropertyNames", Config_Ref_Property_Names);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.caconfig.resource.impl.def.DefaultContextPathStrategy");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Caconfig_Resource_Impl_Def_Default_Context_Path_Strategy;
--
procedure Org_Apache_Sling_Commons_Html_Internal_Tagsoup_Html_Parser
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Parser_Periodfeatures : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheSlingCommonsHtmlInternalTagsoupHtmlParserInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("parser.features", Parser_Periodfeatures);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.commons.html.internal.TagsoupHtmlParser");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Commons_Html_Internal_Tagsoup_Html_Parser;
--
procedure Org_Apache_Sling_Commons_Log_Log_Manager
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodlevel : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodfile : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodfile_Periodnumber : in Swagger.Nullable_Integer;
Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodfile_Periodsize : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodpattern : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodconfiguration_File : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodpackaging_Data_Enabled : in Swagger.Nullable_Boolean;
Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodmax_Caller_Data_Depth : in Swagger.Nullable_Integer;
Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodmax_Old_File_Count_In_Dump : in Swagger.Nullable_Integer;
Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodnum_Of_Lines : in Swagger.Nullable_Integer;
Result : out .Models.OrgApacheSlingCommonsLogLogManagerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("org.apache.sling.commons.log.level", Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodlevel);
URI.Add_Param ("org.apache.sling.commons.log.file", Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodfile);
URI.Add_Param ("org.apache.sling.commons.log.file.number", Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodfile_Periodnumber);
URI.Add_Param ("org.apache.sling.commons.log.file.size", Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodfile_Periodsize);
URI.Add_Param ("org.apache.sling.commons.log.pattern", Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodpattern);
URI.Add_Param ("org.apache.sling.commons.log.configurationFile", Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodconfiguration_File);
URI.Add_Param ("org.apache.sling.commons.log.packagingDataEnabled", Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodpackaging_Data_Enabled);
URI.Add_Param ("org.apache.sling.commons.log.maxCallerDataDepth", Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodmax_Caller_Data_Depth);
URI.Add_Param ("org.apache.sling.commons.log.maxOldFileCountInDump", Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodmax_Old_File_Count_In_Dump);
URI.Add_Param ("org.apache.sling.commons.log.numOfLines", Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodnum_Of_Lines);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.commons.log.LogManager");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Commons_Log_Log_Manager;
--
procedure Org_Apache_Sling_Commons_Log_Log_Manager_Factory_Config
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodlevel : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodfile : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodpattern : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodnames : in Swagger.UString_Vectors.Vector;
Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodadditiv : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheSlingCommonsLogLogManagerFactoryConfigInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("org.apache.sling.commons.log.level", Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodlevel);
URI.Add_Param ("org.apache.sling.commons.log.file", Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodfile);
URI.Add_Param ("org.apache.sling.commons.log.pattern", Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodpattern);
URI.Add_Param ("org.apache.sling.commons.log.names", Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodnames);
URI.Add_Param ("org.apache.sling.commons.log.additiv", Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodadditiv);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.commons.log.LogManager.factory.config");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Commons_Log_Log_Manager_Factory_Config;
--
procedure Org_Apache_Sling_Commons_Log_Log_Manager_Factory_Writer
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodfile : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodfile_Periodnumber : in Swagger.Nullable_Integer;
Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodfile_Periodsize : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodfile_Periodbuffered : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheSlingCommonsLogLogManagerFactoryWriterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("org.apache.sling.commons.log.file", Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodfile);
URI.Add_Param ("org.apache.sling.commons.log.file.number", Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodfile_Periodnumber);
URI.Add_Param ("org.apache.sling.commons.log.file.size", Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodfile_Periodsize);
URI.Add_Param ("org.apache.sling.commons.log.file.buffered", Org_Periodapache_Periodsling_Periodcommons_Periodlog_Periodfile_Periodbuffered);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.commons.log.LogManager.factory.writer");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Commons_Log_Log_Manager_Factory_Writer;
--
procedure Org_Apache_Sling_Commons_Metrics_Internal_Log_Reporter
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Period : in Swagger.Nullable_Integer;
Time_Unit : in Swagger.Nullable_UString;
Level : in Swagger.Nullable_UString;
Logger_Name : in Swagger.Nullable_UString;
Prefix : in Swagger.Nullable_UString;
Pattern : in Swagger.Nullable_UString;
Registry_Name : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingCommonsMetricsInternalLogReporterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("period", Period);
URI.Add_Param ("timeUnit", Time_Unit);
URI.Add_Param ("level", Level);
URI.Add_Param ("loggerName", Logger_Name);
URI.Add_Param ("prefix", Prefix);
URI.Add_Param ("pattern", Pattern);
URI.Add_Param ("registryName", Registry_Name);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.commons.metrics.internal.LogReporter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Commons_Metrics_Internal_Log_Reporter;
--
procedure Org_Apache_Sling_Commons_Metrics_Rrd4j_Impl_Codahale_Metrics_Reporter
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Datasources : in Swagger.UString_Vectors.Vector;
Step : in Swagger.Nullable_Integer;
Archives : in Swagger.UString_Vectors.Vector;
Path : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingCommonsMetricsRrd4jImplCodahaleMetricsReporterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("datasources", Datasources);
URI.Add_Param ("step", Step);
URI.Add_Param ("archives", Archives);
URI.Add_Param ("path", Path);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.commons.metrics.rrd4j.impl.CodahaleMetricsReporter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Commons_Metrics_Rrd4j_Impl_Codahale_Metrics_Reporter;
--
procedure Org_Apache_Sling_Commons_Mime_Internal_Mime_Type_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Mime_Periodtypes : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheSlingCommonsMimeInternalMimeTypeServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("mime.types", Mime_Periodtypes);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.commons.mime.internal.MimeTypeServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Commons_Mime_Internal_Mime_Type_Service_Impl;
--
procedure Org_Apache_Sling_Commons_Scheduler_Impl_Quartz_Scheduler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Pool_Name : in Swagger.Nullable_UString;
Allowed_Pool_Names : in Swagger.UString_Vectors.Vector;
Scheduler_Perioduseleaderforsingle : in Swagger.Nullable_Boolean;
Metrics_Periodfilters : in Swagger.UString_Vectors.Vector;
Slow_Threshold_Millis : in Swagger.Nullable_Integer;
Result : out .Models.OrgApacheSlingCommonsSchedulerImplQuartzSchedulerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("poolName", Pool_Name);
URI.Add_Param ("allowedPoolNames", Allowed_Pool_Names);
URI.Add_Param ("scheduler.useleaderforsingle", Scheduler_Perioduseleaderforsingle);
URI.Add_Param ("metrics.filters", Metrics_Periodfilters);
URI.Add_Param ("slowThresholdMillis", Slow_Threshold_Millis);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.commons.scheduler.impl.QuartzScheduler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Commons_Scheduler_Impl_Quartz_Scheduler;
--
procedure Org_Apache_Sling_Commons_Scheduler_Impl_Scheduler_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Max_Periodquartz_Job_Periodduration_Periodacceptable : in Swagger.Nullable_Integer;
Result : out .Models.OrgApacheSlingCommonsSchedulerImplSchedulerHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("max.quartzJob.duration.acceptable", Max_Periodquartz_Job_Periodduration_Periodacceptable);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.commons.scheduler.impl.SchedulerHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Commons_Scheduler_Impl_Scheduler_Health_Check;
--
procedure Org_Apache_Sling_Commons_Threads_Impl_Default_Thread_Pool_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Name : in Swagger.Nullable_UString;
Min_Pool_Size : in Swagger.Nullable_Integer;
Max_Pool_Size : in Swagger.Nullable_Integer;
Queue_Size : in Swagger.Nullable_Integer;
Max_Thread_Age : in Swagger.Nullable_Integer;
Keep_Alive_Time : in Swagger.Nullable_Integer;
Block_Policy : in Swagger.Nullable_UString;
Shutdown_Graceful : in Swagger.Nullable_Boolean;
Daemon : in Swagger.Nullable_Boolean;
Shutdown_Wait_Time : in Swagger.Nullable_Integer;
Priority : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingCommonsThreadsImplDefaultThreadPoolFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("name", Name);
URI.Add_Param ("minPoolSize", Min_Pool_Size);
URI.Add_Param ("maxPoolSize", Max_Pool_Size);
URI.Add_Param ("queueSize", Queue_Size);
URI.Add_Param ("maxThreadAge", Max_Thread_Age);
URI.Add_Param ("keepAliveTime", Keep_Alive_Time);
URI.Add_Param ("blockPolicy", Block_Policy);
URI.Add_Param ("shutdownGraceful", Shutdown_Graceful);
URI.Add_Param ("daemon", Daemon);
URI.Add_Param ("shutdownWaitTime", Shutdown_Wait_Time);
URI.Add_Param ("priority", Priority);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.commons.threads.impl.DefaultThreadPool.factory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Commons_Threads_Impl_Default_Thread_Pool_Factory;
--
procedure Org_Apache_Sling_Datasource_Data_Source_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Datasource_Periodname : in Swagger.Nullable_UString;
Datasource_Periodsvc_Periodprop_Periodname : in Swagger.Nullable_UString;
Driver_Class_Name : in Swagger.Nullable_UString;
Url : in Swagger.Nullable_UString;
Username : in Swagger.Nullable_UString;
Password : in Swagger.Nullable_UString;
Default_Auto_Commit : in Swagger.Nullable_UString;
Default_Read_Only : in Swagger.Nullable_UString;
Default_Transaction_Isolation : in Swagger.Nullable_UString;
Default_Catalog : in Swagger.Nullable_UString;
Max_Active : in Swagger.Nullable_Integer;
Max_Idle : in Swagger.Nullable_Integer;
Min_Idle : in Swagger.Nullable_Integer;
Initial_Size : in Swagger.Nullable_Integer;
Max_Wait : in Swagger.Nullable_Integer;
Max_Age : in Swagger.Nullable_Integer;
Test_On_Borrow : in Swagger.Nullable_Boolean;
Test_On_Return : in Swagger.Nullable_Boolean;
Test_While_Idle : in Swagger.Nullable_Boolean;
Validation_Query : in Swagger.Nullable_UString;
Validation_Query_Timeout : in Swagger.Nullable_Integer;
Time_Between_Eviction_Runs_Millis : in Swagger.Nullable_Integer;
Min_Evictable_Idle_Time_Millis : in Swagger.Nullable_Integer;
Connection_Properties : in Swagger.Nullable_UString;
Init_S_Q_L : in Swagger.Nullable_UString;
Jdbc_Interceptors : in Swagger.Nullable_UString;
Validation_Interval : in Swagger.Nullable_Integer;
Log_Validation_Errors : in Swagger.Nullable_Boolean;
Datasource_Periodsvc_Periodproperties : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheSlingDatasourceDataSourceFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("datasource.name", Datasource_Periodname);
URI.Add_Param ("datasource.svc.prop.name", Datasource_Periodsvc_Periodprop_Periodname);
URI.Add_Param ("driverClassName", Driver_Class_Name);
URI.Add_Param ("url", Url);
URI.Add_Param ("username", Username);
URI.Add_Param ("password", Password);
URI.Add_Param ("defaultAutoCommit", Default_Auto_Commit);
URI.Add_Param ("defaultReadOnly", Default_Read_Only);
URI.Add_Param ("defaultTransactionIsolation", Default_Transaction_Isolation);
URI.Add_Param ("defaultCatalog", Default_Catalog);
URI.Add_Param ("maxActive", Max_Active);
URI.Add_Param ("maxIdle", Max_Idle);
URI.Add_Param ("minIdle", Min_Idle);
URI.Add_Param ("initialSize", Initial_Size);
URI.Add_Param ("maxWait", Max_Wait);
URI.Add_Param ("maxAge", Max_Age);
URI.Add_Param ("testOnBorrow", Test_On_Borrow);
URI.Add_Param ("testOnReturn", Test_On_Return);
URI.Add_Param ("testWhileIdle", Test_While_Idle);
URI.Add_Param ("validationQuery", Validation_Query);
URI.Add_Param ("validationQueryTimeout", Validation_Query_Timeout);
URI.Add_Param ("timeBetweenEvictionRunsMillis", Time_Between_Eviction_Runs_Millis);
URI.Add_Param ("minEvictableIdleTimeMillis", Min_Evictable_Idle_Time_Millis);
URI.Add_Param ("connectionProperties", Connection_Properties);
URI.Add_Param ("initSQL", Init_S_Q_L);
URI.Add_Param ("jdbcInterceptors", Jdbc_Interceptors);
URI.Add_Param ("validationInterval", Validation_Interval);
URI.Add_Param ("logValidationErrors", Log_Validation_Errors);
URI.Add_Param ("datasource.svc.properties", Datasource_Periodsvc_Periodproperties);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.datasource.DataSourceFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Datasource_Data_Source_Factory;
--
procedure Org_Apache_Sling_Datasource_J_N_D_I_Data_Source_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Datasource_Periodname : in Swagger.Nullable_UString;
Datasource_Periodsvc_Periodprop_Periodname : in Swagger.Nullable_UString;
Datasource_Periodjndi_Periodname : in Swagger.Nullable_UString;
Jndi_Periodproperties : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheSlingDatasourceJNDIDataSourceFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("datasource.name", Datasource_Periodname);
URI.Add_Param ("datasource.svc.prop.name", Datasource_Periodsvc_Periodprop_Periodname);
URI.Add_Param ("datasource.jndi.name", Datasource_Periodjndi_Periodname);
URI.Add_Param ("jndi.properties", Jndi_Periodproperties);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.datasource.JNDIDataSourceFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Datasource_J_N_D_I_Data_Source_Factory;
--
procedure Org_Apache_Sling_Discovery_Oak_Config
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Connector_Ping_Timeout : in Swagger.Nullable_Integer;
Connector_Ping_Interval : in Swagger.Nullable_Integer;
Discovery_Lite_Check_Interval : in Swagger.Nullable_Integer;
Cluster_Sync_Service_Timeout : in Swagger.Nullable_Integer;
Cluster_Sync_Service_Interval : in Swagger.Nullable_Integer;
Enable_Sync_Token : in Swagger.Nullable_Boolean;
Min_Event_Delay : in Swagger.Nullable_Integer;
Socket_Connect_Timeout : in Swagger.Nullable_Integer;
So_Timeout : in Swagger.Nullable_Integer;
Topology_Connector_Urls : in Swagger.UString_Vectors.Vector;
Topology_Connector_Whitelist : in Swagger.UString_Vectors.Vector;
Auto_Stop_Local_Loop_Enabled : in Swagger.Nullable_Boolean;
Gzip_Connector_Requests_Enabled : in Swagger.Nullable_Boolean;
Hmac_Enabled : in Swagger.Nullable_Boolean;
Enable_Encryption : in Swagger.Nullable_Boolean;
Shared_Key : in Swagger.Nullable_UString;
Hmac_Shared_Key_T_T_L : in Swagger.Nullable_Integer;
Backoff_Standby_Factor : in Swagger.Nullable_UString;
Backoff_Stable_Factor : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingDiscoveryOakConfigInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("connectorPingTimeout", Connector_Ping_Timeout);
URI.Add_Param ("connectorPingInterval", Connector_Ping_Interval);
URI.Add_Param ("discoveryLiteCheckInterval", Discovery_Lite_Check_Interval);
URI.Add_Param ("clusterSyncServiceTimeout", Cluster_Sync_Service_Timeout);
URI.Add_Param ("clusterSyncServiceInterval", Cluster_Sync_Service_Interval);
URI.Add_Param ("enableSyncToken", Enable_Sync_Token);
URI.Add_Param ("minEventDelay", Min_Event_Delay);
URI.Add_Param ("socketConnectTimeout", Socket_Connect_Timeout);
URI.Add_Param ("soTimeout", So_Timeout);
URI.Add_Param ("topologyConnectorUrls", Topology_Connector_Urls);
URI.Add_Param ("topologyConnectorWhitelist", Topology_Connector_Whitelist);
URI.Add_Param ("autoStopLocalLoopEnabled", Auto_Stop_Local_Loop_Enabled);
URI.Add_Param ("gzipConnectorRequestsEnabled", Gzip_Connector_Requests_Enabled);
URI.Add_Param ("hmacEnabled", Hmac_Enabled);
URI.Add_Param ("enableEncryption", Enable_Encryption);
URI.Add_Param ("sharedKey", Shared_Key);
URI.Add_Param ("hmacSharedKeyTTL", Hmac_Shared_Key_T_T_L);
URI.Add_Param ("backoffStandbyFactor", Backoff_Standby_Factor);
URI.Add_Param ("backoffStableFactor", Backoff_Stable_Factor);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.discovery.oak.Config");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Discovery_Oak_Config;
--
procedure Org_Apache_Sling_Discovery_Oak_Synchronized_Clocks_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodname : in Swagger.Nullable_UString;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Hc_Periodmbean_Periodname : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingDiscoveryOakSynchronizedClocksHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.name", Hc_Periodname);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Add_Param ("hc.mbean.name", Hc_Periodmbean_Periodname);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.discovery.oak.SynchronizedClocksHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Discovery_Oak_Synchronized_Clocks_Health_Check;
--
procedure Org_Apache_Sling_Distribution_Agent_Impl_Forward_Distribution_Agent_Facto
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Name : in Swagger.Nullable_UString;
Title : in Swagger.Nullable_UString;
Details : in Swagger.Nullable_UString;
Enabled : in Swagger.Nullable_Boolean;
Service_Name : in Swagger.Nullable_UString;
Log_Periodlevel : in Swagger.Nullable_UString;
Allowed_Periodroots : in Swagger.UString_Vectors.Vector;
Queue_Periodprocessing_Periodenabled : in Swagger.Nullable_Boolean;
Package_Importer_Periodendpoints : in Swagger.UString_Vectors.Vector;
Passive_Queues : in Swagger.UString_Vectors.Vector;
Priority_Queues : in Swagger.UString_Vectors.Vector;
Retry_Periodstrategy : in Swagger.Nullable_UString;
Retry_Periodattempts : in Swagger.Nullable_Integer;
Request_Authorization_Strategy_Periodtarget : in Swagger.Nullable_UString;
Transport_Secret_Provider_Periodtarget : in Swagger.Nullable_UString;
Package_Builder_Periodtarget : in Swagger.Nullable_UString;
Triggers_Periodtarget : in Swagger.Nullable_UString;
Queue_Periodprovider : in Swagger.Nullable_UString;
Async_Perioddelivery : in Swagger.Nullable_Boolean;
Http_Periodconn_Periodtimeout : in Swagger.Nullable_Integer;
Result : out .Models.OrgApacheSlingDistributionAgentImplForwardDistributionAgentFactoInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("name", Name);
URI.Add_Param ("title", Title);
URI.Add_Param ("details", Details);
URI.Add_Param ("enabled", Enabled);
URI.Add_Param ("serviceName", Service_Name);
URI.Add_Param ("log.level", Log_Periodlevel);
URI.Add_Param ("allowed.roots", Allowed_Periodroots);
URI.Add_Param ("queue.processing.enabled", Queue_Periodprocessing_Periodenabled);
URI.Add_Param ("packageImporter.endpoints", Package_Importer_Periodendpoints);
URI.Add_Param ("passiveQueues", Passive_Queues);
URI.Add_Param ("priorityQueues", Priority_Queues);
URI.Add_Param ("retry.strategy", Retry_Periodstrategy);
URI.Add_Param ("retry.attempts", Retry_Periodattempts);
URI.Add_Param ("requestAuthorizationStrategy.target", Request_Authorization_Strategy_Periodtarget);
URI.Add_Param ("transportSecretProvider.target", Transport_Secret_Provider_Periodtarget);
URI.Add_Param ("packageBuilder.target", Package_Builder_Periodtarget);
URI.Add_Param ("triggers.target", Triggers_Periodtarget);
URI.Add_Param ("queue.provider", Queue_Periodprovider);
URI.Add_Param ("async.delivery", Async_Perioddelivery);
URI.Add_Param ("http.conn.timeout", Http_Periodconn_Periodtimeout);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.distribution.agent.impl.ForwardDistributionAgentFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Distribution_Agent_Impl_Forward_Distribution_Agent_Facto;
--
procedure Org_Apache_Sling_Distribution_Agent_Impl_Privilege_Distribution_Request_A
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Name : in Swagger.Nullable_UString;
Jcr_Privilege : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingDistributionAgentImplPrivilegeDistributionRequestAInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("name", Name);
URI.Add_Param ("jcrPrivilege", Jcr_Privilege);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.distribution.agent.impl.PrivilegeDistributionRequestAuthorizationStrategyFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Distribution_Agent_Impl_Privilege_Distribution_Request_A;
--
procedure Org_Apache_Sling_Distribution_Agent_Impl_Queue_Distribution_Agent_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Name : in Swagger.Nullable_UString;
Title : in Swagger.Nullable_UString;
Details : in Swagger.Nullable_UString;
Enabled : in Swagger.Nullable_Boolean;
Service_Name : in Swagger.Nullable_UString;
Log_Periodlevel : in Swagger.Nullable_UString;
Allowed_Periodroots : in Swagger.UString_Vectors.Vector;
Request_Authorization_Strategy_Periodtarget : in Swagger.Nullable_UString;
Queue_Provider_Factory_Periodtarget : in Swagger.Nullable_UString;
Package_Builder_Periodtarget : in Swagger.Nullable_UString;
Triggers_Periodtarget : in Swagger.Nullable_UString;
Priority_Queues : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheSlingDistributionAgentImplQueueDistributionAgentFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("name", Name);
URI.Add_Param ("title", Title);
URI.Add_Param ("details", Details);
URI.Add_Param ("enabled", Enabled);
URI.Add_Param ("serviceName", Service_Name);
URI.Add_Param ("log.level", Log_Periodlevel);
URI.Add_Param ("allowed.roots", Allowed_Periodroots);
URI.Add_Param ("requestAuthorizationStrategy.target", Request_Authorization_Strategy_Periodtarget);
URI.Add_Param ("queueProviderFactory.target", Queue_Provider_Factory_Periodtarget);
URI.Add_Param ("packageBuilder.target", Package_Builder_Periodtarget);
URI.Add_Param ("triggers.target", Triggers_Periodtarget);
URI.Add_Param ("priorityQueues", Priority_Queues);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.distribution.agent.impl.QueueDistributionAgentFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Distribution_Agent_Impl_Queue_Distribution_Agent_Factory;
--
procedure Org_Apache_Sling_Distribution_Agent_Impl_Reverse_Distribution_Agent_Facto
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Name : in Swagger.Nullable_UString;
Title : in Swagger.Nullable_UString;
Details : in Swagger.Nullable_UString;
Enabled : in Swagger.Nullable_Boolean;
Service_Name : in Swagger.Nullable_UString;
Log_Periodlevel : in Swagger.Nullable_UString;
Queue_Periodprocessing_Periodenabled : in Swagger.Nullable_Boolean;
Package_Exporter_Periodendpoints : in Swagger.UString_Vectors.Vector;
Pull_Perioditems : in Swagger.Nullable_Integer;
Http_Periodconn_Periodtimeout : in Swagger.Nullable_Integer;
Request_Authorization_Strategy_Periodtarget : in Swagger.Nullable_UString;
Transport_Secret_Provider_Periodtarget : in Swagger.Nullable_UString;
Package_Builder_Periodtarget : in Swagger.Nullable_UString;
Triggers_Periodtarget : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingDistributionAgentImplReverseDistributionAgentFactoInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("name", Name);
URI.Add_Param ("title", Title);
URI.Add_Param ("details", Details);
URI.Add_Param ("enabled", Enabled);
URI.Add_Param ("serviceName", Service_Name);
URI.Add_Param ("log.level", Log_Periodlevel);
URI.Add_Param ("queue.processing.enabled", Queue_Periodprocessing_Periodenabled);
URI.Add_Param ("packageExporter.endpoints", Package_Exporter_Periodendpoints);
URI.Add_Param ("pull.items", Pull_Perioditems);
URI.Add_Param ("http.conn.timeout", Http_Periodconn_Periodtimeout);
URI.Add_Param ("requestAuthorizationStrategy.target", Request_Authorization_Strategy_Periodtarget);
URI.Add_Param ("transportSecretProvider.target", Transport_Secret_Provider_Periodtarget);
URI.Add_Param ("packageBuilder.target", Package_Builder_Periodtarget);
URI.Add_Param ("triggers.target", Triggers_Periodtarget);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.distribution.agent.impl.ReverseDistributionAgentFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Distribution_Agent_Impl_Reverse_Distribution_Agent_Facto;
--
procedure Org_Apache_Sling_Distribution_Agent_Impl_Simple_Distribution_Agent_Factor
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Name : in Swagger.Nullable_UString;
Title : in Swagger.Nullable_UString;
Details : in Swagger.Nullable_UString;
Enabled : in Swagger.Nullable_Boolean;
Service_Name : in Swagger.Nullable_UString;
Log_Periodlevel : in Swagger.Nullable_UString;
Queue_Periodprocessing_Periodenabled : in Swagger.Nullable_Boolean;
Package_Exporter_Periodtarget : in Swagger.Nullable_UString;
Package_Importer_Periodtarget : in Swagger.Nullable_UString;
Request_Authorization_Strategy_Periodtarget : in Swagger.Nullable_UString;
Triggers_Periodtarget : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingDistributionAgentImplSimpleDistributionAgentFactorInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("name", Name);
URI.Add_Param ("title", Title);
URI.Add_Param ("details", Details);
URI.Add_Param ("enabled", Enabled);
URI.Add_Param ("serviceName", Service_Name);
URI.Add_Param ("log.level", Log_Periodlevel);
URI.Add_Param ("queue.processing.enabled", Queue_Periodprocessing_Periodenabled);
URI.Add_Param ("packageExporter.target", Package_Exporter_Periodtarget);
URI.Add_Param ("packageImporter.target", Package_Importer_Periodtarget);
URI.Add_Param ("requestAuthorizationStrategy.target", Request_Authorization_Strategy_Periodtarget);
URI.Add_Param ("triggers.target", Triggers_Periodtarget);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.distribution.agent.impl.SimpleDistributionAgentFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Distribution_Agent_Impl_Simple_Distribution_Agent_Factor;
--
procedure Org_Apache_Sling_Distribution_Agent_Impl_Sync_Distribution_Agent_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Name : in Swagger.Nullable_UString;
Title : in Swagger.Nullable_UString;
Details : in Swagger.Nullable_UString;
Enabled : in Swagger.Nullable_Boolean;
Service_Name : in Swagger.Nullable_UString;
Log_Periodlevel : in Swagger.Nullable_UString;
Queue_Periodprocessing_Periodenabled : in Swagger.Nullable_Boolean;
Passive_Queues : in Swagger.UString_Vectors.Vector;
Package_Exporter_Periodendpoints : in Swagger.UString_Vectors.Vector;
Package_Importer_Periodendpoints : in Swagger.UString_Vectors.Vector;
Retry_Periodstrategy : in Swagger.Nullable_UString;
Retry_Periodattempts : in Swagger.Nullable_Integer;
Pull_Perioditems : in Swagger.Nullable_Integer;
Http_Periodconn_Periodtimeout : in Swagger.Nullable_Integer;
Request_Authorization_Strategy_Periodtarget : in Swagger.Nullable_UString;
Transport_Secret_Provider_Periodtarget : in Swagger.Nullable_UString;
Package_Builder_Periodtarget : in Swagger.Nullable_UString;
Triggers_Periodtarget : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingDistributionAgentImplSyncDistributionAgentFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("name", Name);
URI.Add_Param ("title", Title);
URI.Add_Param ("details", Details);
URI.Add_Param ("enabled", Enabled);
URI.Add_Param ("serviceName", Service_Name);
URI.Add_Param ("log.level", Log_Periodlevel);
URI.Add_Param ("queue.processing.enabled", Queue_Periodprocessing_Periodenabled);
URI.Add_Param ("passiveQueues", Passive_Queues);
URI.Add_Param ("packageExporter.endpoints", Package_Exporter_Periodendpoints);
URI.Add_Param ("packageImporter.endpoints", Package_Importer_Periodendpoints);
URI.Add_Param ("retry.strategy", Retry_Periodstrategy);
URI.Add_Param ("retry.attempts", Retry_Periodattempts);
URI.Add_Param ("pull.items", Pull_Perioditems);
URI.Add_Param ("http.conn.timeout", Http_Periodconn_Periodtimeout);
URI.Add_Param ("requestAuthorizationStrategy.target", Request_Authorization_Strategy_Periodtarget);
URI.Add_Param ("transportSecretProvider.target", Transport_Secret_Provider_Periodtarget);
URI.Add_Param ("packageBuilder.target", Package_Builder_Periodtarget);
URI.Add_Param ("triggers.target", Triggers_Periodtarget);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.distribution.agent.impl.SyncDistributionAgentFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Distribution_Agent_Impl_Sync_Distribution_Agent_Factory;
--
procedure Org_Apache_Sling_Distribution_Monitor_Distribution_Queue_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodname : in Swagger.Nullable_UString;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Hc_Periodmbean_Periodname : in Swagger.Nullable_UString;
Number_Of_Retries_Allowed : in Swagger.Nullable_Integer;
Result : out .Models.OrgApacheSlingDistributionMonitorDistributionQueueHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.name", Hc_Periodname);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Add_Param ("hc.mbean.name", Hc_Periodmbean_Periodname);
URI.Add_Param ("numberOfRetriesAllowed", Number_Of_Retries_Allowed);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.distribution.monitor.DistributionQueueHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Distribution_Monitor_Distribution_Queue_Health_Check;
--
procedure Org_Apache_Sling_Distribution_Packaging_Impl_Exporter_Agent_Distributio
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Name : in Swagger.Nullable_UString;
Queue : in Swagger.Nullable_UString;
Drop_Periodinvalid_Perioditems : in Swagger.Nullable_Boolean;
Agent_Periodtarget : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingDistributionPackagingImplExporterAgentDistributioInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("name", Name);
URI.Add_Param ("queue", Queue);
URI.Add_Param ("drop.invalid.items", Drop_Periodinvalid_Perioditems);
URI.Add_Param ("agent.target", Agent_Periodtarget);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.distribution.packaging.impl.exporter.AgentDistributionPackageExporterFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Distribution_Packaging_Impl_Exporter_Agent_Distributio;
--
procedure Org_Apache_Sling_Distribution_Packaging_Impl_Exporter_Local_Distributio
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Name : in Swagger.Nullable_UString;
Package_Builder_Periodtarget : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingDistributionPackagingImplExporterLocalDistributioInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("name", Name);
URI.Add_Param ("packageBuilder.target", Package_Builder_Periodtarget);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.distribution.packaging.impl.exporter.LocalDistributionPackageExporterFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Distribution_Packaging_Impl_Exporter_Local_Distributio;
--
procedure Org_Apache_Sling_Distribution_Packaging_Impl_Exporter_Remote_Distributi
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Name : in Swagger.Nullable_UString;
Endpoints : in Swagger.UString_Vectors.Vector;
Pull_Perioditems : in Swagger.Nullable_Integer;
Package_Builder_Periodtarget : in Swagger.Nullable_UString;
Transport_Secret_Provider_Periodtarget : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingDistributionPackagingImplExporterRemoteDistributiInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("name", Name);
URI.Add_Param ("endpoints", Endpoints);
URI.Add_Param ("pull.items", Pull_Perioditems);
URI.Add_Param ("packageBuilder.target", Package_Builder_Periodtarget);
URI.Add_Param ("transportSecretProvider.target", Transport_Secret_Provider_Periodtarget);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.distribution.packaging.impl.exporter.RemoteDistributionPackageExporterFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Distribution_Packaging_Impl_Exporter_Remote_Distributi;
--
procedure Org_Apache_Sling_Distribution_Packaging_Impl_Importer_Local_Distributio
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Name : in Swagger.Nullable_UString;
Package_Builder_Periodtarget : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingDistributionPackagingImplImporterLocalDistributioInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("name", Name);
URI.Add_Param ("packageBuilder.target", Package_Builder_Periodtarget);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.distribution.packaging.impl.importer.LocalDistributionPackageImporterFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Distribution_Packaging_Impl_Importer_Local_Distributio;
--
procedure Org_Apache_Sling_Distribution_Packaging_Impl_Importer_Remote_Distributi
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Name : in Swagger.Nullable_UString;
Endpoints : in Swagger.UString_Vectors.Vector;
Transport_Secret_Provider_Periodtarget : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingDistributionPackagingImplImporterRemoteDistributiInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("name", Name);
URI.Add_Param ("endpoints", Endpoints);
URI.Add_Param ("transportSecretProvider.target", Transport_Secret_Provider_Periodtarget);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.distribution.packaging.impl.importer.RemoteDistributionPackageImporterFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Distribution_Packaging_Impl_Importer_Remote_Distributi;
--
procedure Org_Apache_Sling_Distribution_Packaging_Impl_Importer_Repository_Distri
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Name : in Swagger.Nullable_UString;
Service_Periodname : in Swagger.Nullable_UString;
Path : in Swagger.Nullable_UString;
Privilege_Periodname : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingDistributionPackagingImplImporterRepositoryDistriInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("name", Name);
URI.Add_Param ("service.name", Service_Periodname);
URI.Add_Param ("path", Path);
URI.Add_Param ("privilege.name", Privilege_Periodname);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.distribution.packaging.impl.importer.RepositoryDistributionPackageImporterFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Distribution_Packaging_Impl_Importer_Repository_Distri;
--
procedure Org_Apache_Sling_Distribution_Resources_Impl_Distribution_Configuration
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Provider_Periodroots : in Swagger.Nullable_UString;
Kind : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingDistributionResourcesImplDistributionConfigurationInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("provider.roots", Provider_Periodroots);
URI.Add_Param ("kind", Kind);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.distribution.resources.impl.DistributionConfigurationResourceProviderFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Distribution_Resources_Impl_Distribution_Configuration;
--
procedure Org_Apache_Sling_Distribution_Resources_Impl_Distribution_Service_Resour
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Provider_Periodroots : in Swagger.Nullable_UString;
Kind : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingDistributionResourcesImplDistributionServiceResourInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("provider.roots", Provider_Periodroots);
URI.Add_Param ("kind", Kind);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.distribution.resources.impl.DistributionServiceResourceProviderFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Distribution_Resources_Impl_Distribution_Service_Resour;
--
procedure Org_Apache_Sling_Distribution_Serialization_Impl_Distribution_Package_Bu
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Name : in Swagger.Nullable_UString;
P_Type : in Swagger.Nullable_UString;
Format_Periodtarget : in Swagger.Nullable_UString;
Temp_Fs_Folder : in Swagger.Nullable_UString;
File_Threshold : in Swagger.Nullable_Integer;
Memory_Unit : in Swagger.Nullable_UString;
Use_Off_Heap_Memory : in Swagger.Nullable_Boolean;
Digest_Algorithm : in Swagger.Nullable_UString;
Monitoring_Queue_Size : in Swagger.Nullable_Integer;
Cleanup_Delay : in Swagger.Nullable_Integer;
Package_Periodfilters : in Swagger.UString_Vectors.Vector;
Property_Periodfilters : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheSlingDistributionSerializationImplDistributionPackageBuInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("name", Name);
URI.Add_Param ("type", P_Type);
URI.Add_Param ("format.target", Format_Periodtarget);
URI.Add_Param ("tempFsFolder", Temp_Fs_Folder);
URI.Add_Param ("fileThreshold", File_Threshold);
URI.Add_Param ("memoryUnit", Memory_Unit);
URI.Add_Param ("useOffHeapMemory", Use_Off_Heap_Memory);
URI.Add_Param ("digestAlgorithm", Digest_Algorithm);
URI.Add_Param ("monitoringQueueSize", Monitoring_Queue_Size);
URI.Add_Param ("cleanupDelay", Cleanup_Delay);
URI.Add_Param ("package.filters", Package_Periodfilters);
URI.Add_Param ("property.filters", Property_Periodfilters);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.distribution.serialization.impl.DistributionPackageBuilderFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Distribution_Serialization_Impl_Distribution_Package_Bu;
--
procedure Org_Apache_Sling_Distribution_Serialization_Impl_Vlt_Vault_Distribution
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Name : in Swagger.Nullable_UString;
P_Type : in Swagger.Nullable_UString;
Import_Mode : in Swagger.Nullable_UString;
Acl_Handling : in Swagger.Nullable_UString;
Package_Periodroots : in Swagger.Nullable_UString;
Package_Periodfilters : in Swagger.UString_Vectors.Vector;
Property_Periodfilters : in Swagger.UString_Vectors.Vector;
Temp_Fs_Folder : in Swagger.Nullable_UString;
Use_Binary_References : in Swagger.Nullable_Boolean;
Auto_Save_Threshold : in Swagger.Nullable_Integer;
Cleanup_Delay : in Swagger.Nullable_Integer;
File_Threshold : in Swagger.Nullable_Integer;
M_E_G_A_B_Y_T_E_S : in Swagger.Nullable_UString;
Use_Off_Heap_Memory : in Swagger.Nullable_Boolean;
Digest_Algorithm : in Swagger.Nullable_UString;
Monitoring_Queue_Size : in Swagger.Nullable_Integer;
Paths_Mapping : in Swagger.UString_Vectors.Vector;
Strict_Import : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheSlingDistributionSerializationImplVltVaultDistributionInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("name", Name);
URI.Add_Param ("type", P_Type);
URI.Add_Param ("importMode", Import_Mode);
URI.Add_Param ("aclHandling", Acl_Handling);
URI.Add_Param ("package.roots", Package_Periodroots);
URI.Add_Param ("package.filters", Package_Periodfilters);
URI.Add_Param ("property.filters", Property_Periodfilters);
URI.Add_Param ("tempFsFolder", Temp_Fs_Folder);
URI.Add_Param ("useBinaryReferences", Use_Binary_References);
URI.Add_Param ("autoSaveThreshold", Auto_Save_Threshold);
URI.Add_Param ("cleanupDelay", Cleanup_Delay);
URI.Add_Param ("fileThreshold", File_Threshold);
URI.Add_Param ("MEGA_BYTES", M_E_G_A_B_Y_T_E_S);
URI.Add_Param ("useOffHeapMemory", Use_Off_Heap_Memory);
URI.Add_Param ("digestAlgorithm", Digest_Algorithm);
URI.Add_Param ("monitoringQueueSize", Monitoring_Queue_Size);
URI.Add_Param ("pathsMapping", Paths_Mapping);
URI.Add_Param ("strictImport", Strict_Import);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.distribution.serialization.impl.vlt.VaultDistributionPackageBuilderFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Distribution_Serialization_Impl_Vlt_Vault_Distribution;
--
procedure Org_Apache_Sling_Distribution_Transport_Impl_User_Credentials_Distributi
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Name : in Swagger.Nullable_UString;
Username : in Swagger.Nullable_UString;
Password : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingDistributionTransportImplUserCredentialsDistributiInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("name", Name);
URI.Add_Param ("username", Username);
URI.Add_Param ("password", Password);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.distribution.transport.impl.UserCredentialsDistributionTransportSecretProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Distribution_Transport_Impl_User_Credentials_Distributi;
--
procedure Org_Apache_Sling_Distribution_Trigger_Impl_Distribution_Event_Distribute
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Name : in Swagger.Nullable_UString;
Path : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingDistributionTriggerImplDistributionEventDistributeInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("name", Name);
URI.Add_Param ("path", Path);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.distribution.trigger.impl.DistributionEventDistributeDistributionTriggerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Distribution_Trigger_Impl_Distribution_Event_Distribute;
--
procedure Org_Apache_Sling_Distribution_Trigger_Impl_Jcr_Event_Distribution_Trigger
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Name : in Swagger.Nullable_UString;
Path : in Swagger.Nullable_UString;
Ignored_Paths_Patterns : in Swagger.UString_Vectors.Vector;
Service_Name : in Swagger.Nullable_UString;
Deep : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheSlingDistributionTriggerImplJcrEventDistributionTriggerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("name", Name);
URI.Add_Param ("path", Path);
URI.Add_Param ("ignoredPathsPatterns", Ignored_Paths_Patterns);
URI.Add_Param ("serviceName", Service_Name);
URI.Add_Param ("deep", Deep);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.distribution.trigger.impl.JcrEventDistributionTriggerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Distribution_Trigger_Impl_Jcr_Event_Distribution_Trigger;
--
procedure Org_Apache_Sling_Distribution_Trigger_Impl_Persisted_Jcr_Event_Distributi
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Name : in Swagger.Nullable_UString;
Path : in Swagger.Nullable_UString;
Service_Name : in Swagger.Nullable_UString;
Nuggets_Path : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingDistributionTriggerImplPersistedJcrEventDistributiInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("name", Name);
URI.Add_Param ("path", Path);
URI.Add_Param ("serviceName", Service_Name);
URI.Add_Param ("nuggetsPath", Nuggets_Path);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.distribution.trigger.impl.PersistedJcrEventDistributionTriggerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Distribution_Trigger_Impl_Persisted_Jcr_Event_Distributi;
--
procedure Org_Apache_Sling_Distribution_Trigger_Impl_Remote_Event_Distribution_Trig
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Name : in Swagger.Nullable_UString;
Endpoint : in Swagger.Nullable_UString;
Transport_Secret_Provider_Periodtarget : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingDistributionTriggerImplRemoteEventDistributionTrigInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("name", Name);
URI.Add_Param ("endpoint", Endpoint);
URI.Add_Param ("transportSecretProvider.target", Transport_Secret_Provider_Periodtarget);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.distribution.trigger.impl.RemoteEventDistributionTriggerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Distribution_Trigger_Impl_Remote_Event_Distribution_Trig;
--
procedure Org_Apache_Sling_Distribution_Trigger_Impl_Resource_Event_Distribution_Tr
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Name : in Swagger.Nullable_UString;
Path : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingDistributionTriggerImplResourceEventDistributionTrInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("name", Name);
URI.Add_Param ("path", Path);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.distribution.trigger.impl.ResourceEventDistributionTriggerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Distribution_Trigger_Impl_Resource_Event_Distribution_Tr;
--
procedure Org_Apache_Sling_Distribution_Trigger_Impl_Scheduled_Distribution_Trigge
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Name : in Swagger.Nullable_UString;
Path : in Swagger.Nullable_UString;
Seconds : in Swagger.Nullable_UString;
Service_Name : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingDistributionTriggerImplScheduledDistributionTriggeInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("name", Name);
URI.Add_Param ("path", Path);
URI.Add_Param ("seconds", Seconds);
URI.Add_Param ("serviceName", Service_Name);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.distribution.trigger.impl.ScheduledDistributionTriggerFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Distribution_Trigger_Impl_Scheduled_Distribution_Trigge;
--
procedure Org_Apache_Sling_Engine_Impl_Auth_Sling_Authenticator
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Osgi_Periodhttp_Periodwhiteboard_Periodcontext_Periodselect : in Swagger.Nullable_UString;
Osgi_Periodhttp_Periodwhiteboard_Periodlistener : in Swagger.Nullable_UString;
Auth_Periodsudo_Periodcookie : in Swagger.Nullable_UString;
Auth_Periodsudo_Periodparameter : in Swagger.Nullable_UString;
Auth_Periodannonymous : in Swagger.Nullable_Boolean;
Sling_Periodauth_Periodrequirements : in Swagger.UString_Vectors.Vector;
Sling_Periodauth_Periodanonymous_Perioduser : in Swagger.Nullable_UString;
Sling_Periodauth_Periodanonymous_Periodpassword : in Swagger.Nullable_UString;
Auth_Periodhttp : in Swagger.Nullable_UString;
Auth_Periodhttp_Periodrealm : in Swagger.Nullable_UString;
Auth_Perioduri_Periodsuffix : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheSlingEngineImplAuthSlingAuthenticatorInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("osgi.http.whiteboard.context.select", Osgi_Periodhttp_Periodwhiteboard_Periodcontext_Periodselect);
URI.Add_Param ("osgi.http.whiteboard.listener", Osgi_Periodhttp_Periodwhiteboard_Periodlistener);
URI.Add_Param ("auth.sudo.cookie", Auth_Periodsudo_Periodcookie);
URI.Add_Param ("auth.sudo.parameter", Auth_Periodsudo_Periodparameter);
URI.Add_Param ("auth.annonymous", Auth_Periodannonymous);
URI.Add_Param ("sling.auth.requirements", Sling_Periodauth_Periodrequirements);
URI.Add_Param ("sling.auth.anonymous.user", Sling_Periodauth_Periodanonymous_Perioduser);
URI.Add_Param ("sling.auth.anonymous.password", Sling_Periodauth_Periodanonymous_Periodpassword);
URI.Add_Param ("auth.http", Auth_Periodhttp);
URI.Add_Param ("auth.http.realm", Auth_Periodhttp_Periodrealm);
URI.Add_Param ("auth.uri.suffix", Auth_Perioduri_Periodsuffix);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.engine.impl.auth.SlingAuthenticator");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Engine_Impl_Auth_Sling_Authenticator;
--
procedure Org_Apache_Sling_Engine_Impl_Debug_Request_Progress_Tracker_Log_Filter
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Extensions : in Swagger.UString_Vectors.Vector;
Min_Duration_Ms : in Swagger.Nullable_Integer;
Max_Duration_Ms : in Swagger.Nullable_Integer;
Compact_Log_Format : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheSlingEngineImplDebugRequestProgressTrackerLogFilterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("extensions", Extensions);
URI.Add_Param ("minDurationMs", Min_Duration_Ms);
URI.Add_Param ("maxDurationMs", Max_Duration_Ms);
URI.Add_Param ("compactLogFormat", Compact_Log_Format);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.engine.impl.debug.RequestProgressTrackerLogFilter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Engine_Impl_Debug_Request_Progress_Tracker_Log_Filter;
--
procedure Org_Apache_Sling_Engine_Impl_Log_Request_Logger
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Request_Periodlog_Periodoutput : in Swagger.Nullable_UString;
Request_Periodlog_Periodoutputtype : in Swagger.Nullable_Integer;
Request_Periodlog_Periodenabled : in Swagger.Nullable_Boolean;
Access_Periodlog_Periodoutput : in Swagger.Nullable_UString;
Access_Periodlog_Periodoutputtype : in Swagger.Nullable_Integer;
Access_Periodlog_Periodenabled : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheSlingEngineImplLogRequestLoggerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("request.log.output", Request_Periodlog_Periodoutput);
URI.Add_Param ("request.log.outputtype", Request_Periodlog_Periodoutputtype);
URI.Add_Param ("request.log.enabled", Request_Periodlog_Periodenabled);
URI.Add_Param ("access.log.output", Access_Periodlog_Periodoutput);
URI.Add_Param ("access.log.outputtype", Access_Periodlog_Periodoutputtype);
URI.Add_Param ("access.log.enabled", Access_Periodlog_Periodenabled);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.engine.impl.log.RequestLogger");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Engine_Impl_Log_Request_Logger;
--
procedure Org_Apache_Sling_Engine_Impl_Log_Request_Logger_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Request_Periodlog_Periodservice_Periodformat : in Swagger.Nullable_UString;
Request_Periodlog_Periodservice_Periodoutput : in Swagger.Nullable_UString;
Request_Periodlog_Periodservice_Periodoutputtype : in Swagger.Nullable_Integer;
Request_Periodlog_Periodservice_Periodonentry : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheSlingEngineImplLogRequestLoggerServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("request.log.service.format", Request_Periodlog_Periodservice_Periodformat);
URI.Add_Param ("request.log.service.output", Request_Periodlog_Periodservice_Periodoutput);
URI.Add_Param ("request.log.service.outputtype", Request_Periodlog_Periodservice_Periodoutputtype);
URI.Add_Param ("request.log.service.onentry", Request_Periodlog_Periodservice_Periodonentry);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.engine.impl.log.RequestLoggerService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Engine_Impl_Log_Request_Logger_Service;
--
procedure Org_Apache_Sling_Engine_Impl_Sling_Main_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Sling_Periodmax_Periodcalls : in Swagger.Nullable_Integer;
Sling_Periodmax_Periodinclusions : in Swagger.Nullable_Integer;
Sling_Periodtrace_Periodallow : in Swagger.Nullable_Boolean;
Sling_Periodmax_Periodrecord_Periodrequests : in Swagger.Nullable_Integer;
Sling_Periodstore_Periodpattern_Periodrequests : in Swagger.UString_Vectors.Vector;
Sling_Periodserverinfo : in Swagger.Nullable_UString;
Sling_Periodadditional_Periodresponse_Periodheaders : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheSlingEngineImplSlingMainServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("sling.max.calls", Sling_Periodmax_Periodcalls);
URI.Add_Param ("sling.max.inclusions", Sling_Periodmax_Periodinclusions);
URI.Add_Param ("sling.trace.allow", Sling_Periodtrace_Periodallow);
URI.Add_Param ("sling.max.record.requests", Sling_Periodmax_Periodrecord_Periodrequests);
URI.Add_Param ("sling.store.pattern.requests", Sling_Periodstore_Periodpattern_Periodrequests);
URI.Add_Param ("sling.serverinfo", Sling_Periodserverinfo);
URI.Add_Param ("sling.additional.response.headers", Sling_Periodadditional_Periodresponse_Periodheaders);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.engine.impl.SlingMainServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Engine_Impl_Sling_Main_Servlet;
--
procedure Org_Apache_Sling_Engine_Parameters
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Sling_Perioddefault_Periodparameter_Periodencoding : in Swagger.Nullable_UString;
Sling_Perioddefault_Periodmax_Periodparameters : in Swagger.Nullable_Integer;
File_Periodlocation : in Swagger.Nullable_UString;
File_Periodthreshold : in Swagger.Nullable_Integer;
File_Periodmax : in Swagger.Nullable_Integer;
Request_Periodmax : in Swagger.Nullable_Integer;
Sling_Perioddefault_Periodparameter_Periodcheck_For_Additional_Container_Parameters : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheSlingEngineParametersInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("sling.default.parameter.encoding", Sling_Perioddefault_Periodparameter_Periodencoding);
URI.Add_Param ("sling.default.max.parameters", Sling_Perioddefault_Periodmax_Periodparameters);
URI.Add_Param ("file.location", File_Periodlocation);
URI.Add_Param ("file.threshold", File_Periodthreshold);
URI.Add_Param ("file.max", File_Periodmax);
URI.Add_Param ("request.max", Request_Periodmax);
URI.Add_Param ("sling.default.parameter.checkForAdditionalContainerParameters", Sling_Perioddefault_Periodparameter_Periodcheck_For_Additional_Container_Parameters);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.engine.parameters");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Engine_Parameters;
--
procedure Org_Apache_Sling_Event_Impl_Eventing_Thread_Pool
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Min_Pool_Size : in Swagger.Nullable_Integer;
Result : out .Models.OrgApacheSlingEventImplEventingThreadPoolInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("minPoolSize", Min_Pool_Size);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.event.impl.EventingThreadPool");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Event_Impl_Eventing_Thread_Pool;
--
procedure Org_Apache_Sling_Event_Impl_Jobs_Default_Job_Manager
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Queue_Periodpriority : in Swagger.Nullable_UString;
Queue_Periodretries : in Swagger.Nullable_Integer;
Queue_Periodretrydelay : in Swagger.Nullable_Integer;
Queue_Periodmaxparallel : in Swagger.Nullable_Integer;
Result : out .Models.OrgApacheSlingEventImplJobsDefaultJobManagerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("queue.priority", Queue_Periodpriority);
URI.Add_Param ("queue.retries", Queue_Periodretries);
URI.Add_Param ("queue.retrydelay", Queue_Periodretrydelay);
URI.Add_Param ("queue.maxparallel", Queue_Periodmaxparallel);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.event.impl.jobs.DefaultJobManager");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Event_Impl_Jobs_Default_Job_Manager;
--
procedure Org_Apache_Sling_Event_Impl_Jobs_Jcr_Persistence_Handler
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Job_Periodconsumermanager_Perioddisable_Distribution : in Swagger.Nullable_Boolean;
Startup_Perioddelay : in Swagger.Nullable_Integer;
Cleanup_Periodperiod : in Swagger.Nullable_Integer;
Result : out .Models.OrgApacheSlingEventImplJobsJcrPersistenceHandlerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("job.consumermanager.disableDistribution", Job_Periodconsumermanager_Perioddisable_Distribution);
URI.Add_Param ("startup.delay", Startup_Perioddelay);
URI.Add_Param ("cleanup.period", Cleanup_Periodperiod);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.event.impl.jobs.jcr.PersistenceHandler");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Event_Impl_Jobs_Jcr_Persistence_Handler;
--
procedure Org_Apache_Sling_Event_Impl_Jobs_Job_Consumer_Manager
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Org_Periodapache_Periodsling_Periodinstaller_Periodconfiguration_Periodpersist : in Swagger.Nullable_Boolean;
Job_Periodconsumermanager_Periodwhitelist : in Swagger.UString_Vectors.Vector;
Job_Periodconsumermanager_Periodblacklist : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheSlingEventImplJobsJobConsumerManagerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("org.apache.sling.installer.configuration.persist", Org_Periodapache_Periodsling_Periodinstaller_Periodconfiguration_Periodpersist);
URI.Add_Param ("job.consumermanager.whitelist", Job_Periodconsumermanager_Periodwhitelist);
URI.Add_Param ("job.consumermanager.blacklist", Job_Periodconsumermanager_Periodblacklist);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.event.impl.jobs.JobConsumerManager");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Event_Impl_Jobs_Job_Consumer_Manager;
--
procedure Org_Apache_Sling_Event_Jobs_Queue_Configuration
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Queue_Periodname : in Swagger.Nullable_UString;
Queue_Periodtopics : in Swagger.UString_Vectors.Vector;
Queue_Periodtype : in Swagger.Nullable_UString;
Queue_Periodpriority : in Swagger.Nullable_UString;
Queue_Periodretries : in Swagger.Nullable_Integer;
Queue_Periodretrydelay : in Swagger.Nullable_Integer;
Queue_Periodmaxparallel : in Swagger.Number;
Queue_Periodkeep_Jobs : in Swagger.Nullable_Boolean;
Queue_Periodprefer_Run_On_Creation_Instance : in Swagger.Nullable_Boolean;
Queue_Periodthread_Pool_Size : in Swagger.Nullable_Integer;
Service_Periodranking : in Swagger.Nullable_Integer;
Result : out .Models.OrgApacheSlingEventJobsQueueConfigurationInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("queue.name", Queue_Periodname);
URI.Add_Param ("queue.topics", Queue_Periodtopics);
URI.Add_Param ("queue.type", Queue_Periodtype);
URI.Add_Param ("queue.priority", Queue_Periodpriority);
URI.Add_Param ("queue.retries", Queue_Periodretries);
URI.Add_Param ("queue.retrydelay", Queue_Periodretrydelay);
URI.Add_Param ("queue.maxparallel", Queue_Periodmaxparallel);
URI.Add_Param ("queue.keepJobs", Queue_Periodkeep_Jobs);
URI.Add_Param ("queue.preferRunOnCreationInstance", Queue_Periodprefer_Run_On_Creation_Instance);
URI.Add_Param ("queue.threadPoolSize", Queue_Periodthread_Pool_Size);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.event.jobs.QueueConfiguration");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Event_Jobs_Queue_Configuration;
--
procedure Org_Apache_Sling_Extensions_Webconsolesecurityprovider_Internal_Sling_W
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Users : in Swagger.UString_Vectors.Vector;
Groups : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheSlingExtensionsWebconsolesecurityproviderInternalSlingWInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("users", Users);
URI.Add_Param ("groups", Groups);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.extensions.webconsolesecurityprovider.internal.SlingWebConsoleSecurityProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Extensions_Webconsolesecurityprovider_Internal_Sling_W;
--
procedure Org_Apache_Sling_Featureflags_Feature
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Name : in Swagger.Nullable_UString;
Description : in Swagger.Nullable_UString;
Enabled : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheSlingFeatureflagsFeatureInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("name", Name);
URI.Add_Param ("description", Description);
URI.Add_Param ("enabled", Enabled);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.featureflags.Feature");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Featureflags_Feature;
--
procedure Org_Apache_Sling_Featureflags_Impl_Configured_Feature
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Name : in Swagger.Nullable_UString;
Description : in Swagger.Nullable_UString;
Enabled : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheSlingFeatureflagsImplConfiguredFeatureInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("name", Name);
URI.Add_Param ("description", Description);
URI.Add_Param ("enabled", Enabled);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.featureflags.impl.ConfiguredFeature");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Featureflags_Impl_Configured_Feature;
--
procedure Org_Apache_Sling_Hapi_Impl_H_Api_Util_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Org_Periodapache_Periodsling_Periodhapi_Periodtools_Periodresourcetype : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodhapi_Periodtools_Periodcollectionresourcetype : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodhapi_Periodtools_Periodsearchpaths : in Swagger.UString_Vectors.Vector;
Org_Periodapache_Periodsling_Periodhapi_Periodtools_Periodexternalurl : in Swagger.Nullable_UString;
Org_Periodapache_Periodsling_Periodhapi_Periodtools_Periodenabled : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheSlingHapiImplHApiUtilImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("org.apache.sling.hapi.tools.resourcetype", Org_Periodapache_Periodsling_Periodhapi_Periodtools_Periodresourcetype);
URI.Add_Param ("org.apache.sling.hapi.tools.collectionresourcetype", Org_Periodapache_Periodsling_Periodhapi_Periodtools_Periodcollectionresourcetype);
URI.Add_Param ("org.apache.sling.hapi.tools.searchpaths", Org_Periodapache_Periodsling_Periodhapi_Periodtools_Periodsearchpaths);
URI.Add_Param ("org.apache.sling.hapi.tools.externalurl", Org_Periodapache_Periodsling_Periodhapi_Periodtools_Periodexternalurl);
URI.Add_Param ("org.apache.sling.hapi.tools.enabled", Org_Periodapache_Periodsling_Periodhapi_Periodtools_Periodenabled);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.hapi.impl.HApiUtilImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Hapi_Impl_H_Api_Util_Impl;
--
procedure Org_Apache_Sling_Hc_Core_Impl_Composite_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodname : in Swagger.Nullable_UString;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Hc_Periodmbean_Periodname : in Swagger.Nullable_UString;
Filter_Periodtags : in Swagger.UString_Vectors.Vector;
Filter_Periodcombine_Tags_With_Or : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheSlingHcCoreImplCompositeHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.name", Hc_Periodname);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Add_Param ("hc.mbean.name", Hc_Periodmbean_Periodname);
URI.Add_Param ("filter.tags", Filter_Periodtags);
URI.Add_Param ("filter.combineTagsWithOr", Filter_Periodcombine_Tags_With_Or);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.hc.core.impl.CompositeHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Hc_Core_Impl_Composite_Health_Check;
--
procedure Org_Apache_Sling_Hc_Core_Impl_Executor_Health_Check_Executor_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Timeout_In_Ms : in Swagger.Nullable_Integer;
Long_Running_Future_Threshold_For_Critical_Ms : in Swagger.Nullable_Integer;
Result_Cache_Ttl_In_Ms : in Swagger.Nullable_Integer;
Result : out .Models.OrgApacheSlingHcCoreImplExecutorHealthCheckExecutorImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("timeoutInMs", Timeout_In_Ms);
URI.Add_Param ("longRunningFutureThresholdForCriticalMs", Long_Running_Future_Threshold_For_Critical_Ms);
URI.Add_Param ("resultCacheTtlInMs", Result_Cache_Ttl_In_Ms);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.hc.core.impl.executor.HealthCheckExecutorImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Hc_Core_Impl_Executor_Health_Check_Executor_Impl;
--
procedure Org_Apache_Sling_Hc_Core_Impl_Jmx_Attribute_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodname : in Swagger.Nullable_UString;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Hc_Periodmbean_Periodname : in Swagger.Nullable_UString;
Mbean_Periodname : in Swagger.Nullable_UString;
Attribute_Periodname : in Swagger.Nullable_UString;
Attribute_Periodvalue_Periodconstraint : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingHcCoreImplJmxAttributeHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.name", Hc_Periodname);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Add_Param ("hc.mbean.name", Hc_Periodmbean_Periodname);
URI.Add_Param ("mbean.name", Mbean_Periodname);
URI.Add_Param ("attribute.name", Attribute_Periodname);
URI.Add_Param ("attribute.value.constraint", Attribute_Periodvalue_Periodconstraint);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.hc.core.impl.JmxAttributeHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Hc_Core_Impl_Jmx_Attribute_Health_Check;
--
procedure Org_Apache_Sling_Hc_Core_Impl_Scriptable_Health_Check
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Hc_Periodname : in Swagger.Nullable_UString;
Hc_Periodtags : in Swagger.UString_Vectors.Vector;
Hc_Periodmbean_Periodname : in Swagger.Nullable_UString;
Expression : in Swagger.Nullable_UString;
Language_Periodextension : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingHcCoreImplScriptableHealthCheckInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("hc.name", Hc_Periodname);
URI.Add_Param ("hc.tags", Hc_Periodtags);
URI.Add_Param ("hc.mbean.name", Hc_Periodmbean_Periodname);
URI.Add_Param ("expression", Expression);
URI.Add_Param ("language.extension", Language_Periodextension);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.hc.core.impl.ScriptableHealthCheck");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Hc_Core_Impl_Scriptable_Health_Check;
--
procedure Org_Apache_Sling_Hc_Core_Impl_Servlet_Health_Check_Executor_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Servlet_Path : in Swagger.Nullable_UString;
Disabled : in Swagger.Nullable_Boolean;
Cors_Periodaccess_Control_Allow_Origin : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingHcCoreImplServletHealthCheckExecutorServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("servletPath", Servlet_Path);
URI.Add_Param ("disabled", Disabled);
URI.Add_Param ("cors.accessControlAllowOrigin", Cors_Periodaccess_Control_Allow_Origin);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.hc.core.impl.servlet.HealthCheckExecutorServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Hc_Core_Impl_Servlet_Health_Check_Executor_Servlet;
--
procedure Org_Apache_Sling_Hc_Core_Impl_Servlet_Result_Txt_Verbose_Serializer
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Total_Width : in Swagger.Nullable_Integer;
Col_Width_Name : in Swagger.Nullable_Integer;
Col_Width_Result : in Swagger.Nullable_Integer;
Col_Width_Timing : in Swagger.Nullable_Integer;
Result : out .Models.OrgApacheSlingHcCoreImplServletResultTxtVerboseSerializerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("totalWidth", Total_Width);
URI.Add_Param ("colWidthName", Col_Width_Name);
URI.Add_Param ("colWidthResult", Col_Width_Result);
URI.Add_Param ("colWidthTiming", Col_Width_Timing);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.hc.core.impl.servlet.ResultTxtVerboseSerializer");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Hc_Core_Impl_Servlet_Result_Txt_Verbose_Serializer;
--
procedure Org_Apache_Sling_I18n_Impl_I18_N_Filter
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Sling_Periodfilter_Periodscope : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheSlingI18nImplI18NFilterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("sling.filter.scope", Sling_Periodfilter_Periodscope);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.i18n.impl.I18NFilter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_I18n_Impl_I18_N_Filter;
--
procedure Org_Apache_Sling_I18n_Impl_Jcr_Resource_Bundle_Provider
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Locale_Perioddefault : in Swagger.Nullable_UString;
Preload_Periodbundles : in Swagger.Nullable_Boolean;
Invalidation_Perioddelay : in Swagger.Nullable_Integer;
Result : out .Models.OrgApacheSlingI18nImplJcrResourceBundleProviderInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("locale.default", Locale_Perioddefault);
URI.Add_Param ("preload.bundles", Preload_Periodbundles);
URI.Add_Param ("invalidation.delay", Invalidation_Perioddelay);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.i18n.impl.JcrResourceBundleProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_I18n_Impl_Jcr_Resource_Bundle_Provider;
--
procedure Org_Apache_Sling_Installer_Provider_Jcr_Impl_Jcr_Installer
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Handler_Periodschemes : in Swagger.UString_Vectors.Vector;
Sling_Periodjcrinstall_Periodfolder_Periodname_Periodregexp : in Swagger.Nullable_UString;
Sling_Periodjcrinstall_Periodfolder_Periodmax_Perioddepth : in Swagger.Nullable_Integer;
Sling_Periodjcrinstall_Periodsearch_Periodpath : in Swagger.UString_Vectors.Vector;
Sling_Periodjcrinstall_Periodnew_Periodconfig_Periodpath : in Swagger.Nullable_UString;
Sling_Periodjcrinstall_Periodsignal_Periodpath : in Swagger.Nullable_UString;
Sling_Periodjcrinstall_Periodenable_Periodwriteback : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheSlingInstallerProviderJcrImplJcrInstallerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("handler.schemes", Handler_Periodschemes);
URI.Add_Param ("sling.jcrinstall.folder.name.regexp", Sling_Periodjcrinstall_Periodfolder_Periodname_Periodregexp);
URI.Add_Param ("sling.jcrinstall.folder.max.depth", Sling_Periodjcrinstall_Periodfolder_Periodmax_Perioddepth);
URI.Add_Param ("sling.jcrinstall.search.path", Sling_Periodjcrinstall_Periodsearch_Periodpath);
URI.Add_Param ("sling.jcrinstall.new.config.path", Sling_Periodjcrinstall_Periodnew_Periodconfig_Periodpath);
URI.Add_Param ("sling.jcrinstall.signal.path", Sling_Periodjcrinstall_Periodsignal_Periodpath);
URI.Add_Param ("sling.jcrinstall.enable.writeback", Sling_Periodjcrinstall_Periodenable_Periodwriteback);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.installer.provider.jcr.impl.JcrInstaller");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Installer_Provider_Jcr_Impl_Jcr_Installer;
--
procedure Org_Apache_Sling_Jcr_Base_Internal_Login_Admin_Whitelist
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Whitelist_Periodbypass : in Swagger.Nullable_Boolean;
Whitelist_Periodbundles_Periodregexp : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingJcrBaseInternalLoginAdminWhitelistInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("whitelist.bypass", Whitelist_Periodbypass);
URI.Add_Param ("whitelist.bundles.regexp", Whitelist_Periodbundles_Periodregexp);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.jcr.base.internal.LoginAdminWhitelist");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Jcr_Base_Internal_Login_Admin_Whitelist;
--
procedure Org_Apache_Sling_Jcr_Base_Internal_Login_Admin_Whitelist_Fragment
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Whitelist_Periodname : in Swagger.Nullable_UString;
Whitelist_Periodbundles : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheSlingJcrBaseInternalLoginAdminWhitelistFragmentInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("whitelist.name", Whitelist_Periodname);
URI.Add_Param ("whitelist.bundles", Whitelist_Periodbundles);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.jcr.base.internal.LoginAdminWhitelist.fragment");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Jcr_Base_Internal_Login_Admin_Whitelist_Fragment;
--
procedure Org_Apache_Sling_Jcr_Davex_Impl_Servlets_Sling_Dav_Ex_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Alias : in Swagger.Nullable_UString;
Dav_Periodcreate_Absolute_Uri : in Swagger.Nullable_Boolean;
Dav_Periodprotectedhandlers : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingJcrDavexImplServletsSlingDavExServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("alias", Alias);
URI.Add_Param ("dav.create-absolute-uri", Dav_Periodcreate_Absolute_Uri);
URI.Add_Param ("dav.protectedhandlers", Dav_Periodprotectedhandlers);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.jcr.davex.impl.servlets.SlingDavExServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Jcr_Davex_Impl_Servlets_Sling_Dav_Ex_Servlet;
--
procedure Org_Apache_Sling_Jcr_Jackrabbit_Server_Jndi_Registration_Support
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Java_Periodnaming_Periodfactory_Periodinitial : in Swagger.Nullable_UString;
Java_Periodnaming_Periodprovider_Periodurl : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingJcrJackrabbitServerJndiRegistrationSupportInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("java.naming.factory.initial", Java_Periodnaming_Periodfactory_Periodinitial);
URI.Add_Param ("java.naming.provider.url", Java_Periodnaming_Periodprovider_Periodurl);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.jcr.jackrabbit.server.JndiRegistrationSupport");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Jcr_Jackrabbit_Server_Jndi_Registration_Support;
--
procedure Org_Apache_Sling_Jcr_Jackrabbit_Server_Rmi_Registration_Support
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Port : in Swagger.Nullable_Integer;
Result : out .Models.OrgApacheSlingJcrJackrabbitServerRmiRegistrationSupportInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("port", Port);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.jcr.jackrabbit.server.RmiRegistrationSupport");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Jcr_Jackrabbit_Server_Rmi_Registration_Support;
--
procedure Org_Apache_Sling_Jcr_Repoinit_Impl_Repository_Initializer
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
References : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheSlingJcrRepoinitImplRepositoryInitializerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("references", References);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.jcr.repoinit.impl.RepositoryInitializer");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Jcr_Repoinit_Impl_Repository_Initializer;
--
procedure Org_Apache_Sling_Jcr_Repoinit_Repository_Initializer
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
References : in Swagger.UString_Vectors.Vector;
Scripts : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheSlingJcrRepoinitRepositoryInitializerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("references", References);
URI.Add_Param ("scripts", Scripts);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.jcr.repoinit.RepositoryInitializer");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Jcr_Repoinit_Repository_Initializer;
--
procedure Org_Apache_Sling_Jcr_Resource_Internal_Jcr_Resource_Resolver_Factory_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Resource_Periodresolver_Periodsearchpath : in Swagger.UString_Vectors.Vector;
Resource_Periodresolver_Periodmanglenamespaces : in Swagger.Nullable_Boolean;
Resource_Periodresolver_Periodallow_Direct : in Swagger.Nullable_Boolean;
Resource_Periodresolver_Periodrequired_Periodproviders : in Swagger.UString_Vectors.Vector;
Resource_Periodresolver_Periodrequired_Periodprovidernames : in Swagger.UString_Vectors.Vector;
Resource_Periodresolver_Periodvirtual : in Swagger.UString_Vectors.Vector;
Resource_Periodresolver_Periodmapping : in Swagger.UString_Vectors.Vector;
Resource_Periodresolver_Periodmap_Periodlocation : in Swagger.Nullable_UString;
Resource_Periodresolver_Periodmap_Periodobservation : in Swagger.UString_Vectors.Vector;
Resource_Periodresolver_Perioddefault_Periodvanity_Periodredirect_Periodstatus : in Swagger.Nullable_Integer;
Resource_Periodresolver_Periodenable_Periodvanitypath : in Swagger.Nullable_Boolean;
Resource_Periodresolver_Periodvanitypath_Periodmax_Entries : in Swagger.Nullable_Integer;
Resource_Periodresolver_Periodvanitypath_Periodmax_Entries_Periodstartup : in Swagger.Nullable_Boolean;
Resource_Periodresolver_Periodvanitypath_Periodbloomfilter_Periodmax_Bytes : in Swagger.Nullable_Integer;
Resource_Periodresolver_Periodoptimize_Periodalias_Periodresolution : in Swagger.Nullable_Boolean;
Resource_Periodresolver_Periodvanitypath_Periodwhitelist : in Swagger.UString_Vectors.Vector;
Resource_Periodresolver_Periodvanitypath_Periodblacklist : in Swagger.UString_Vectors.Vector;
Resource_Periodresolver_Periodvanity_Periodprecedence : in Swagger.Nullable_Boolean;
Resource_Periodresolver_Periodproviderhandling_Periodparanoid : in Swagger.Nullable_Boolean;
Resource_Periodresolver_Periodlog_Periodclosing : in Swagger.Nullable_Boolean;
Resource_Periodresolver_Periodlog_Periodunclosed : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheSlingJcrResourceInternalJcrResourceResolverFactoryImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("resource.resolver.searchpath", Resource_Periodresolver_Periodsearchpath);
URI.Add_Param ("resource.resolver.manglenamespaces", Resource_Periodresolver_Periodmanglenamespaces);
URI.Add_Param ("resource.resolver.allowDirect", Resource_Periodresolver_Periodallow_Direct);
URI.Add_Param ("resource.resolver.required.providers", Resource_Periodresolver_Periodrequired_Periodproviders);
URI.Add_Param ("resource.resolver.required.providernames", Resource_Periodresolver_Periodrequired_Periodprovidernames);
URI.Add_Param ("resource.resolver.virtual", Resource_Periodresolver_Periodvirtual);
URI.Add_Param ("resource.resolver.mapping", Resource_Periodresolver_Periodmapping);
URI.Add_Param ("resource.resolver.map.location", Resource_Periodresolver_Periodmap_Periodlocation);
URI.Add_Param ("resource.resolver.map.observation", Resource_Periodresolver_Periodmap_Periodobservation);
URI.Add_Param ("resource.resolver.default.vanity.redirect.status", Resource_Periodresolver_Perioddefault_Periodvanity_Periodredirect_Periodstatus);
URI.Add_Param ("resource.resolver.enable.vanitypath", Resource_Periodresolver_Periodenable_Periodvanitypath);
URI.Add_Param ("resource.resolver.vanitypath.maxEntries", Resource_Periodresolver_Periodvanitypath_Periodmax_Entries);
URI.Add_Param ("resource.resolver.vanitypath.maxEntries.startup", Resource_Periodresolver_Periodvanitypath_Periodmax_Entries_Periodstartup);
URI.Add_Param ("resource.resolver.vanitypath.bloomfilter.maxBytes", Resource_Periodresolver_Periodvanitypath_Periodbloomfilter_Periodmax_Bytes);
URI.Add_Param ("resource.resolver.optimize.alias.resolution", Resource_Periodresolver_Periodoptimize_Periodalias_Periodresolution);
URI.Add_Param ("resource.resolver.vanitypath.whitelist", Resource_Periodresolver_Periodvanitypath_Periodwhitelist);
URI.Add_Param ("resource.resolver.vanitypath.blacklist", Resource_Periodresolver_Periodvanitypath_Periodblacklist);
URI.Add_Param ("resource.resolver.vanity.precedence", Resource_Periodresolver_Periodvanity_Periodprecedence);
URI.Add_Param ("resource.resolver.providerhandling.paranoid", Resource_Periodresolver_Periodproviderhandling_Periodparanoid);
URI.Add_Param ("resource.resolver.log.closing", Resource_Periodresolver_Periodlog_Periodclosing);
URI.Add_Param ("resource.resolver.log.unclosed", Resource_Periodresolver_Periodlog_Periodunclosed);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.jcr.resource.internal.JcrResourceResolverFactoryImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Jcr_Resource_Internal_Jcr_Resource_Resolver_Factory_Impl;
--
procedure Org_Apache_Sling_Jcr_Resource_Internal_Jcr_System_User_Validator
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Allow_Periodonly_Periodsystem_Perioduser : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheSlingJcrResourceInternalJcrSystemUserValidatorInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("allow.only.system.user", Allow_Periodonly_Periodsystem_Perioduser);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.jcr.resource.internal.JcrSystemUserValidator");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Jcr_Resource_Internal_Jcr_System_User_Validator;
--
procedure Org_Apache_Sling_Jcr_Resourcesecurity_Impl_Resource_Access_Gate_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Path : in Swagger.Nullable_UString;
Checkpath_Periodprefix : in Swagger.Nullable_UString;
Jcr_Path : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingJcrResourcesecurityImplResourceAccessGateFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("path", Path);
URI.Add_Param ("checkpath.prefix", Checkpath_Periodprefix);
URI.Add_Param ("jcrPath", Jcr_Path);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.jcr.resourcesecurity.impl.ResourceAccessGateFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Jcr_Resourcesecurity_Impl_Resource_Access_Gate_Factory;
--
procedure Org_Apache_Sling_Jcr_Webdav_Impl_Handler_Default_Handler_Service
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Type_Periodcollections : in Swagger.Nullable_UString;
Type_Periodnoncollections : in Swagger.Nullable_UString;
Type_Periodcontent : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingJcrWebdavImplHandlerDefaultHandlerServiceInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("type.collections", Type_Periodcollections);
URI.Add_Param ("type.noncollections", Type_Periodnoncollections);
URI.Add_Param ("type.content", Type_Periodcontent);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.jcr.webdav.impl.handler.DefaultHandlerService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Jcr_Webdav_Impl_Handler_Default_Handler_Service;
--
procedure Org_Apache_Sling_Jcr_Webdav_Impl_Handler_Dir_Listing_Export_Handler_Servic
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
Result : out .Models.OrgApacheSlingJcrWebdavImplHandlerDirListingExportHandlerServicInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.jcr.webdav.impl.handler.DirListingExportHandlerService");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Jcr_Webdav_Impl_Handler_Dir_Listing_Export_Handler_Servic;
--
procedure Org_Apache_Sling_Jcr_Webdav_Impl_Servlets_Simple_Web_Dav_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Dav_Periodroot : in Swagger.Nullable_UString;
Dav_Periodcreate_Absolute_Uri : in Swagger.Nullable_Boolean;
Dav_Periodrealm : in Swagger.Nullable_UString;
Collection_Periodtypes : in Swagger.UString_Vectors.Vector;
Filter_Periodprefixes : in Swagger.UString_Vectors.Vector;
Filter_Periodtypes : in Swagger.Nullable_UString;
Filter_Perioduris : in Swagger.Nullable_UString;
Type_Periodcollections : in Swagger.Nullable_UString;
Type_Periodnoncollections : in Swagger.Nullable_UString;
Type_Periodcontent : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingJcrWebdavImplServletsSimpleWebDavServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("dav.root", Dav_Periodroot);
URI.Add_Param ("dav.create-absolute-uri", Dav_Periodcreate_Absolute_Uri);
URI.Add_Param ("dav.realm", Dav_Periodrealm);
URI.Add_Param ("collection.types", Collection_Periodtypes);
URI.Add_Param ("filter.prefixes", Filter_Periodprefixes);
URI.Add_Param ("filter.types", Filter_Periodtypes);
URI.Add_Param ("filter.uris", Filter_Perioduris);
URI.Add_Param ("type.collections", Type_Periodcollections);
URI.Add_Param ("type.noncollections", Type_Periodnoncollections);
URI.Add_Param ("type.content", Type_Periodcontent);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.jcr.webdav.impl.servlets.SimpleWebDavServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Jcr_Webdav_Impl_Servlets_Simple_Web_Dav_Servlet;
--
procedure Org_Apache_Sling_Jmx_Provider_Impl_J_M_X_Resource_Provider
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Provider_Periodroots : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingJmxProviderImplJMXResourceProviderInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("provider.roots", Provider_Periodroots);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.jmx.provider.impl.JMXResourceProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Jmx_Provider_Impl_J_M_X_Resource_Provider;
--
procedure Org_Apache_Sling_Models_Impl_Model_Adapter_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Osgi_Periodhttp_Periodwhiteboard_Periodlistener : in Swagger.Nullable_UString;
Osgi_Periodhttp_Periodwhiteboard_Periodcontext_Periodselect : in Swagger.Nullable_UString;
Max_Periodrecursion_Perioddepth : in Swagger.Nullable_Integer;
Cleanup_Periodjob_Periodperiod : in Swagger.Nullable_Integer;
Result : out .Models.OrgApacheSlingModelsImplModelAdapterFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("osgi.http.whiteboard.listener", Osgi_Periodhttp_Periodwhiteboard_Periodlistener);
URI.Add_Param ("osgi.http.whiteboard.context.select", Osgi_Periodhttp_Periodwhiteboard_Periodcontext_Periodselect);
URI.Add_Param ("max.recursion.depth", Max_Periodrecursion_Perioddepth);
URI.Add_Param ("cleanup.job.period", Cleanup_Periodjob_Periodperiod);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.models.impl.ModelAdapterFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Models_Impl_Model_Adapter_Factory;
--
procedure Org_Apache_Sling_Models_Jacksonexporter_Impl_Resource_Module_Provider
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Max_Periodrecursion_Periodlevels : in Swagger.Nullable_Integer;
Result : out .Models.OrgApacheSlingModelsJacksonexporterImplResourceModuleProviderInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("max.recursion.levels", Max_Periodrecursion_Periodlevels);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.models.jacksonexporter.impl.ResourceModuleProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Models_Jacksonexporter_Impl_Resource_Module_Provider;
--
procedure Org_Apache_Sling_Resource_Inventory_Impl_Resource_Inventory_Printer_Facto
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Felix_Periodinventory_Periodprinter_Periodname : in Swagger.Nullable_UString;
Felix_Periodinventory_Periodprinter_Periodtitle : in Swagger.Nullable_UString;
Path : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingResourceInventoryImplResourceInventoryPrinterFactoInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("felix.inventory.printer.name", Felix_Periodinventory_Periodprinter_Periodname);
URI.Add_Param ("felix.inventory.printer.title", Felix_Periodinventory_Periodprinter_Periodtitle);
URI.Add_Param ("path", Path);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.resource.inventory.impl.ResourceInventoryPrinterFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Resource_Inventory_Impl_Resource_Inventory_Printer_Facto;
--
procedure Org_Apache_Sling_Resourcemerger_Impl_Merged_Resource_Provider_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Merge_Periodroot : in Swagger.Nullable_UString;
Merge_Periodread_Only : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheSlingResourcemergerImplMergedResourceProviderFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("merge.root", Merge_Periodroot);
URI.Add_Param ("merge.readOnly", Merge_Periodread_Only);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.resourcemerger.impl.MergedResourceProviderFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Resourcemerger_Impl_Merged_Resource_Provider_Factory;
--
procedure Org_Apache_Sling_Resourcemerger_Picker_Overriding
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Merge_Periodroot : in Swagger.Nullable_UString;
Merge_Periodread_Only : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheSlingResourcemergerPickerOverridingInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("merge.root", Merge_Periodroot);
URI.Add_Param ("merge.readOnly", Merge_Periodread_Only);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.resourcemerger.picker.overriding");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Resourcemerger_Picker_Overriding;
--
procedure Org_Apache_Sling_Scripting_Core_Impl_Script_Cache_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Org_Periodapache_Periodsling_Periodscripting_Periodcache_Periodsize : in Swagger.Nullable_Integer;
Org_Periodapache_Periodsling_Periodscripting_Periodcache_Periodadditional_Extensions : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheSlingScriptingCoreImplScriptCacheImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("org.apache.sling.scripting.cache.size", Org_Periodapache_Periodsling_Periodscripting_Periodcache_Periodsize);
URI.Add_Param ("org.apache.sling.scripting.cache.additional_extensions", Org_Periodapache_Periodsling_Periodscripting_Periodcache_Periodadditional_Extensions);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.scripting.core.impl.ScriptCacheImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Scripting_Core_Impl_Script_Cache_Impl;
--
procedure Org_Apache_Sling_Scripting_Core_Impl_Scripting_Resource_Resolver_Provider
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Log_Periodstacktrace_Periodonclose : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheSlingScriptingCoreImplScriptingResourceResolverProviderInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("log.stacktrace.onclose", Log_Periodstacktrace_Periodonclose);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.scripting.core.impl.ScriptingResourceResolverProviderImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Scripting_Core_Impl_Scripting_Resource_Resolver_Provider;
--
procedure Org_Apache_Sling_Scripting_Java_Impl_Java_Script_Engine_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Java_Periodclassdebuginfo : in Swagger.Nullable_Boolean;
Java_Periodjava_Encoding : in Swagger.Nullable_UString;
Java_Periodcompiler_Source_V_M : in Swagger.Nullable_UString;
Java_Periodcompiler_Target_V_M : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingScriptingJavaImplJavaScriptEngineFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("java.classdebuginfo", Java_Periodclassdebuginfo);
URI.Add_Param ("java.javaEncoding", Java_Periodjava_Encoding);
URI.Add_Param ("java.compilerSourceVM", Java_Periodcompiler_Source_V_M);
URI.Add_Param ("java.compilerTargetVM", Java_Periodcompiler_Target_V_M);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.scripting.java.impl.JavaScriptEngineFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Scripting_Java_Impl_Java_Script_Engine_Factory;
--
procedure Org_Apache_Sling_Scripting_Javascript_Internal_Rhino_Java_Script_Engine_Fa
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Org_Periodapache_Periodsling_Periodscripting_Periodjavascript_Periodrhino_Periodopt_Level : in Swagger.Nullable_Integer;
Result : out .Models.OrgApacheSlingScriptingJavascriptInternalRhinoJavaScriptEngineFaInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("org.apache.sling.scripting.javascript.rhino.optLevel", Org_Periodapache_Periodsling_Periodscripting_Periodjavascript_Periodrhino_Periodopt_Level);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.scripting.javascript.internal.RhinoJavaScriptEngineFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Scripting_Javascript_Internal_Rhino_Java_Script_Engine_Fa;
--
procedure Org_Apache_Sling_Scripting_Jsp_Jsp_Script_Engine_Factory
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Jasper_Periodcompiler_Target_V_M : in Swagger.Nullable_UString;
Jasper_Periodcompiler_Source_V_M : in Swagger.Nullable_UString;
Jasper_Periodclassdebuginfo : in Swagger.Nullable_Boolean;
Jasper_Periodenable_Pooling : in Swagger.Nullable_Boolean;
Jasper_Periodie_Class_Id : in Swagger.Nullable_UString;
Jasper_Periodgen_String_As_Char_Array : in Swagger.Nullable_Boolean;
Jasper_Periodkeepgenerated : in Swagger.Nullable_Boolean;
Jasper_Periodmappedfile : in Swagger.Nullable_Boolean;
Jasper_Periodtrim_Spaces : in Swagger.Nullable_Boolean;
Jasper_Perioddisplay_Source_Fragments : in Swagger.Nullable_Boolean;
Default_Periodis_Periodsession : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheSlingScriptingJspJspScriptEngineFactoryInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("jasper.compilerTargetVM", Jasper_Periodcompiler_Target_V_M);
URI.Add_Param ("jasper.compilerSourceVM", Jasper_Periodcompiler_Source_V_M);
URI.Add_Param ("jasper.classdebuginfo", Jasper_Periodclassdebuginfo);
URI.Add_Param ("jasper.enablePooling", Jasper_Periodenable_Pooling);
URI.Add_Param ("jasper.ieClassId", Jasper_Periodie_Class_Id);
URI.Add_Param ("jasper.genStringAsCharArray", Jasper_Periodgen_String_As_Char_Array);
URI.Add_Param ("jasper.keepgenerated", Jasper_Periodkeepgenerated);
URI.Add_Param ("jasper.mappedfile", Jasper_Periodmappedfile);
URI.Add_Param ("jasper.trimSpaces", Jasper_Periodtrim_Spaces);
URI.Add_Param ("jasper.displaySourceFragments", Jasper_Perioddisplay_Source_Fragments);
URI.Add_Param ("default.is.session", Default_Periodis_Periodsession);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.scripting.jsp.JspScriptEngineFactory");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Scripting_Jsp_Jsp_Script_Engine_Factory;
--
procedure Org_Apache_Sling_Scripting_Sightly_Js_Impl_Jsapi_Sly_Bindings_Values_Prov
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Org_Periodapache_Periodsling_Periodscripting_Periodsightly_Periodjs_Periodbindings : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheSlingScriptingSightlyJsImplJsapiSlyBindingsValuesProvInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("org.apache.sling.scripting.sightly.js.bindings", Org_Periodapache_Periodsling_Periodscripting_Periodsightly_Periodjs_Periodbindings);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.scripting.sightly.js.impl.jsapi.SlyBindingsValuesProvider");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Scripting_Sightly_Js_Impl_Jsapi_Sly_Bindings_Values_Prov;
--
procedure Org_Apache_Sling_Security_Impl_Content_Disposition_Filter
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Sling_Periodcontent_Perioddisposition_Periodpaths : in Swagger.UString_Vectors.Vector;
Sling_Periodcontent_Perioddisposition_Periodexcluded_Periodpaths : in Swagger.UString_Vectors.Vector;
Sling_Periodcontent_Perioddisposition_Periodall_Periodpaths : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheSlingSecurityImplContentDispositionFilterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("sling.content.disposition.paths", Sling_Periodcontent_Perioddisposition_Periodpaths);
URI.Add_Param ("sling.content.disposition.excluded.paths", Sling_Periodcontent_Perioddisposition_Periodexcluded_Periodpaths);
URI.Add_Param ("sling.content.disposition.all.paths", Sling_Periodcontent_Perioddisposition_Periodall_Periodpaths);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.security.impl.ContentDispositionFilter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Security_Impl_Content_Disposition_Filter;
--
procedure Org_Apache_Sling_Security_Impl_Referrer_Filter
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Allow_Periodempty : in Swagger.Nullable_Boolean;
Allow_Periodhosts : in Swagger.UString_Vectors.Vector;
Allow_Periodhosts_Periodregexp : in Swagger.UString_Vectors.Vector;
Filter_Periodmethods : in Swagger.UString_Vectors.Vector;
Exclude_Periodagents_Periodregexp : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheSlingSecurityImplReferrerFilterInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("allow.empty", Allow_Periodempty);
URI.Add_Param ("allow.hosts", Allow_Periodhosts);
URI.Add_Param ("allow.hosts.regexp", Allow_Periodhosts_Periodregexp);
URI.Add_Param ("filter.methods", Filter_Periodmethods);
URI.Add_Param ("exclude.agents.regexp", Exclude_Periodagents_Periodregexp);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.security.impl.ReferrerFilter");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Security_Impl_Referrer_Filter;
--
procedure Org_Apache_Sling_Serviceusermapping_Impl_Service_User_Mapper_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
User_Periodmapping : in Swagger.UString_Vectors.Vector;
User_Perioddefault : in Swagger.Nullable_UString;
User_Periodenable_Perioddefault_Periodmapping : in Swagger.Nullable_Boolean;
Require_Periodvalidation : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheSlingServiceusermappingImplServiceUserMapperImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("user.mapping", User_Periodmapping);
URI.Add_Param ("user.default", User_Perioddefault);
URI.Add_Param ("user.enable.default.mapping", User_Periodenable_Perioddefault_Periodmapping);
URI.Add_Param ("require.validation", Require_Periodvalidation);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.serviceusermapping.impl.ServiceUserMapperImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Serviceusermapping_Impl_Service_User_Mapper_Impl;
--
procedure Org_Apache_Sling_Serviceusermapping_Impl_Service_User_Mapper_Impl_Amended
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Service_Periodranking : in Swagger.Nullable_Integer;
User_Periodmapping : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheSlingServiceusermappingImplServiceUserMapperImplAmendedInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("service.ranking", Service_Periodranking);
URI.Add_Param ("user.mapping", User_Periodmapping);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.serviceusermapping.impl.ServiceUserMapperImpl.amended");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Serviceusermapping_Impl_Service_User_Mapper_Impl_Amended;
--
procedure Org_Apache_Sling_Servlets_Get_Default_Get_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Aliases : in Swagger.UString_Vectors.Vector;
Index : in Swagger.Nullable_Boolean;
Index_Periodfiles : in Swagger.UString_Vectors.Vector;
Enable_Periodhtml : in Swagger.Nullable_Boolean;
Enable_Periodjson : in Swagger.Nullable_Boolean;
Enable_Periodtxt : in Swagger.Nullable_Boolean;
Enable_Periodxml : in Swagger.Nullable_Boolean;
Json_Periodmaximumresults : in Swagger.Nullable_Integer;
Ecma_Suport : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheSlingServletsGetDefaultGetServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("aliases", Aliases);
URI.Add_Param ("index", Index);
URI.Add_Param ("index.files", Index_Periodfiles);
URI.Add_Param ("enable.html", Enable_Periodhtml);
URI.Add_Param ("enable.json", Enable_Periodjson);
URI.Add_Param ("enable.txt", Enable_Periodtxt);
URI.Add_Param ("enable.xml", Enable_Periodxml);
URI.Add_Param ("json.maximumresults", Json_Periodmaximumresults);
URI.Add_Param ("ecmaSuport", Ecma_Suport);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.servlets.get.DefaultGetServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Servlets_Get_Default_Get_Servlet;
--
procedure Org_Apache_Sling_Servlets_Get_Impl_Version_Version_Info_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Sling_Periodservlet_Periodselectors : in Swagger.UString_Vectors.Vector;
Ecma_Suport : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheSlingServletsGetImplVersionVersionInfoServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("sling.servlet.selectors", Sling_Periodservlet_Periodselectors);
URI.Add_Param ("ecmaSuport", Ecma_Suport);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.servlets.get.impl.version.VersionInfoServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Servlets_Get_Impl_Version_Version_Info_Servlet;
--
procedure Org_Apache_Sling_Servlets_Post_Impl_Helper_Chunk_Clean_Up_Task
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Scheduler_Periodexpression : in Swagger.Nullable_UString;
Scheduler_Periodconcurrent : in Swagger.Nullable_Boolean;
Chunk_Periodcleanup_Periodage : in Swagger.Nullable_Integer;
Result : out .Models.OrgApacheSlingServletsPostImplHelperChunkCleanUpTaskInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("scheduler.expression", Scheduler_Periodexpression);
URI.Add_Param ("scheduler.concurrent", Scheduler_Periodconcurrent);
URI.Add_Param ("chunk.cleanup.age", Chunk_Periodcleanup_Periodage);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.servlets.post.impl.helper.ChunkCleanUpTask");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Servlets_Post_Impl_Helper_Chunk_Clean_Up_Task;
--
procedure Org_Apache_Sling_Servlets_Post_Impl_Sling_Post_Servlet
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Servlet_Periodpost_Perioddate_Formats : in Swagger.UString_Vectors.Vector;
Servlet_Periodpost_Periodnode_Name_Hints : in Swagger.UString_Vectors.Vector;
Servlet_Periodpost_Periodnode_Name_Max_Length : in Swagger.Nullable_Integer;
Servlet_Periodpost_Periodcheckin_New_Versionable_Nodes : in Swagger.Nullable_Boolean;
Servlet_Periodpost_Periodauto_Checkout : in Swagger.Nullable_Boolean;
Servlet_Periodpost_Periodauto_Checkin : in Swagger.Nullable_Boolean;
Servlet_Periodpost_Periodignore_Pattern : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingServletsPostImplSlingPostServletInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("servlet.post.dateFormats", Servlet_Periodpost_Perioddate_Formats);
URI.Add_Param ("servlet.post.nodeNameHints", Servlet_Periodpost_Periodnode_Name_Hints);
URI.Add_Param ("servlet.post.nodeNameMaxLength", Servlet_Periodpost_Periodnode_Name_Max_Length);
URI.Add_Param ("servlet.post.checkinNewVersionableNodes", Servlet_Periodpost_Periodcheckin_New_Versionable_Nodes);
URI.Add_Param ("servlet.post.autoCheckout", Servlet_Periodpost_Periodauto_Checkout);
URI.Add_Param ("servlet.post.autoCheckin", Servlet_Periodpost_Periodauto_Checkin);
URI.Add_Param ("servlet.post.ignorePattern", Servlet_Periodpost_Periodignore_Pattern);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.servlets.post.impl.SlingPostServlet");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Servlets_Post_Impl_Sling_Post_Servlet;
--
procedure Org_Apache_Sling_Servlets_Resolver_Sling_Servlet_Resolver
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Servletresolver_Periodservlet_Root : in Swagger.Nullable_UString;
Servletresolver_Periodcache_Size : in Swagger.Nullable_Integer;
Servletresolver_Periodpaths : in Swagger.UString_Vectors.Vector;
Servletresolver_Perioddefault_Extensions : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheSlingServletsResolverSlingServletResolverInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("servletresolver.servletRoot", Servletresolver_Periodservlet_Root);
URI.Add_Param ("servletresolver.cacheSize", Servletresolver_Periodcache_Size);
URI.Add_Param ("servletresolver.paths", Servletresolver_Periodpaths);
URI.Add_Param ("servletresolver.defaultExtensions", Servletresolver_Perioddefault_Extensions);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.servlets.resolver.SlingServletResolver");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Servlets_Resolver_Sling_Servlet_Resolver;
--
procedure Org_Apache_Sling_Settings_Impl_Sling_Settings_Service_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Sling_Periodname : in Swagger.Nullable_UString;
Sling_Perioddescription : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingSettingsImplSlingSettingsServiceImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("sling.name", Sling_Periodname);
URI.Add_Param ("sling.description", Sling_Perioddescription);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.settings.impl.SlingSettingsServiceImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Settings_Impl_Sling_Settings_Service_Impl;
--
procedure Org_Apache_Sling_Startupfilter_Impl_Startup_Filter_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Active_Periodby_Perioddefault : in Swagger.Nullable_Boolean;
Default_Periodmessage : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingStartupfilterImplStartupFilterImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("active.by.default", Active_Periodby_Perioddefault);
URI.Add_Param ("default.message", Default_Periodmessage);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.startupfilter.impl.StartupFilterImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Startupfilter_Impl_Startup_Filter_Impl;
--
procedure Org_Apache_Sling_Tenant_Internal_Tenant_Provider_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Tenant_Periodroot : in Swagger.Nullable_UString;
Tenant_Periodpath_Periodmatcher : in Swagger.UString_Vectors.Vector;
Result : out .Models.OrgApacheSlingTenantInternalTenantProviderImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("tenant.root", Tenant_Periodroot);
URI.Add_Param ("tenant.path.matcher", Tenant_Periodpath_Periodmatcher);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.tenant.internal.TenantProviderImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Tenant_Internal_Tenant_Provider_Impl;
--
procedure Org_Apache_Sling_Tracer_Internal_Log_Tracer
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Tracer_Sets : in Swagger.UString_Vectors.Vector;
Enabled : in Swagger.Nullable_Boolean;
Servlet_Enabled : in Swagger.Nullable_Boolean;
Recording_Cache_Size_In_M_B : in Swagger.Nullable_Integer;
Recording_Cache_Duration_In_Secs : in Swagger.Nullable_Integer;
Recording_Compression_Enabled : in Swagger.Nullable_Boolean;
Gzip_Response : in Swagger.Nullable_Boolean;
Result : out .Models.OrgApacheSlingTracerInternalLogTracerInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("tracerSets", Tracer_Sets);
URI.Add_Param ("enabled", Enabled);
URI.Add_Param ("servletEnabled", Servlet_Enabled);
URI.Add_Param ("recordingCacheSizeInMB", Recording_Cache_Size_In_M_B);
URI.Add_Param ("recordingCacheDurationInSecs", Recording_Cache_Duration_In_Secs);
URI.Add_Param ("recordingCompressionEnabled", Recording_Compression_Enabled);
URI.Add_Param ("gzipResponse", Gzip_Response);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.tracer.internal.LogTracer");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Tracer_Internal_Log_Tracer;
--
procedure Org_Apache_Sling_Xss_Impl_X_S_S_Filter_Impl
(Client : in out Client_Type;
Post : in Swagger.Nullable_Boolean;
Apply : in Swagger.Nullable_Boolean;
Delete : in Swagger.Nullable_Boolean;
Action : in Swagger.Nullable_UString;
Dollarlocation : in Swagger.Nullable_UString;
Propertylist : in Swagger.UString_Vectors.Vector;
Policy_Path : in Swagger.Nullable_UString;
Result : out .Models.OrgApacheSlingXssImplXSSFilterImplInfo_Type) is
URI : Swagger.Clients.URI_Type;
Reply : Swagger.Value_Type;
begin
Client.Set_Accept ((Swagger.Clients.APPLICATION_JSON,
Swagger.Clients.TEXT_PLAIN));
URI.Add_Param ("post", Post);
URI.Add_Param ("apply", Apply);
URI.Add_Param ("delete", Delete);
URI.Add_Param ("action", Action);
URI.Add_Param ("$location", Dollarlocation);
URI.Add_Param ("propertylist", Propertylist);
URI.Add_Param ("policyPath", Policy_Path);
URI.Set_Path ("/system/console/configMgr/org.apache.sling.xss.impl.XSSFilterImpl");
Client.Call (Swagger.Clients.POST, URI, Reply);
.Models.Deserialize (Reply, "", Result);
end Org_Apache_Sling_Xss_Impl_X_S_S_Filter_Impl;
end .Clients;
|
RREE/ada-util | Ada | 10,279 | ads | -----------------------------------------------------------------------
-- util-processes -- Process creation and control
-- Copyright (C) 2011, 2012, 2016, 2018, 2021 Stephane Carrez
-- Written by Stephane Carrez ([email protected])
--
-- Licensed under the Apache License, Version 2.0 (the "License");
-- you may not use this file except in compliance with the License.
-- You may obtain a copy of the License at
--
-- http://www.apache.org/licenses/LICENSE-2.0
--
-- Unless required by applicable law or agreed to in writing, software
-- distributed under the License is distributed on an "AS IS" BASIS,
-- WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-- See the License for the specific language governing permissions and
-- limitations under the License.
-----------------------------------------------------------------------
with Util.Streams;
with Util.Systems.Types;
with Ada.Finalization;
with Ada.Strings.Unbounded;
package Util.Processes is
Invalid_State : exception;
Process_Error : exception;
-- The optional process pipes:
-- <dl>
-- <dt>NONE</dt>
-- <dd>the process will inherit the standard input, output and error.</dd>
-- <dt>READ</dt>
-- <dd>a pipe is created to read the process standard output.</dd>
-- <dt>READ_ERROR</dt>
-- <dd>a pipe is created to read the process standard error. The output and input are
-- inherited.</dd>
-- <dt>READ_ALL</dt>
-- <dd>similar to READ the same pipe is used for the process standard error.</dd>
-- <dt>WRITE</dt>
-- <dd>a pipe is created to write on the process standard input.</dd>
-- <dt>READ_WRITE</dt>
-- <dd>Combines the <b>READ</b> and <b>WRITE</b> modes.</dd>
-- <dt>READ_WRITE_ALL</dt>
-- <dd>Combines the <b>READ_ALL</b> and <b>WRITE</b> modes.</dd>
-- </dl>
type Pipe_Mode is (NONE, READ, READ_ERROR, READ_ALL, WRITE, READ_WRITE, READ_WRITE_ALL);
subtype String_Access is Ada.Strings.Unbounded.String_Access;
subtype File_Type is Util.Systems.Types.File_Type;
type Argument_List is array (Positive range <>) of String_Access;
type Process_Identifier is new Integer;
-- ------------------------------
-- Process
-- ------------------------------
type Process is limited private;
-- Before launching the process, redirect the input stream of the process
-- to the specified file.
-- Raises <b>Invalid_State</b> if the process is running.
procedure Set_Input_Stream (Proc : in out Process;
File : in String);
-- Set the output stream of the process.
-- Raises <b>Invalid_State</b> if the process is running.
procedure Set_Output_Stream (Proc : in out Process;
File : in String;
Append : in Boolean := False);
-- Set the error stream of the process.
-- Raises <b>Invalid_State</b> if the process is running.
procedure Set_Error_Stream (Proc : in out Process;
File : in String;
Append : in Boolean := False);
-- Set the working directory that the process will use once it is created.
-- The directory must exist or the <b>Invalid_Directory</b> exception will be raised.
procedure Set_Working_Directory (Proc : in out Process;
Path : in String);
-- Set the shell executable path to use to launch a command. The default on Unix is
-- the /bin/sh command. Argument splitting is done by the /bin/sh -c command.
-- When setting an empty shell command, the argument splitting is done by the
-- <tt>Spawn</tt> procedure.
procedure Set_Shell (Proc : in out Process;
Shell : in String);
-- Closes the given file descriptor in the child process before executing the command.
procedure Add_Close (Proc : in out Process;
Fd : in File_Type);
-- Append the argument to the current process argument list.
-- Raises <b>Invalid_State</b> if the process is running.
procedure Append_Argument (Proc : in out Process;
Arg : in String);
-- Set the environment variable to be used by the process before its creation.
procedure Set_Environment (Proc : in out Process;
Name : in String;
Value : in String);
procedure Set_Environment (Proc : in out Process;
Iterate : not null access
procedure
(Process : not null access procedure
(Name : in String;
Value : in String)));
-- Spawn a new process with the given command and its arguments. The standard input, output
-- and error streams are either redirected to a file or to a stream object.
procedure Spawn (Proc : in out Process;
Command : in String;
Arguments : in Argument_List;
Mode : in Pipe_Mode := NONE);
procedure Spawn (Proc : in out Process;
Command : in String;
Mode : in Pipe_Mode := NONE);
procedure Spawn (Proc : in out Process;
Mode : in Pipe_Mode := NONE);
-- Wait for the process to terminate.
procedure Wait (Proc : in out Process);
-- Terminate the process by sending a signal on Unix and exiting the process on Windows.
-- This operation is not portable and has a different behavior between Unix and Windows.
-- Its intent is to stop the process.
procedure Stop (Proc : in out Process;
Signal : in Positive := 15);
-- Get the process exit status.
function Get_Exit_Status (Proc : in Process) return Integer;
-- Get the process identifier.
function Get_Pid (Proc : in Process) return Process_Identifier;
-- Returns True if the process is running.
function Is_Running (Proc : in Process) return Boolean;
-- Get the process input stream allowing to write on the process standard input.
function Get_Input_Stream (Proc : in Process) return Util.Streams.Output_Stream_Access;
-- Get the process output stream allowing to read the process standard output.
function Get_Output_Stream (Proc : in Process) return Util.Streams.Input_Stream_Access;
-- Get the process error stream allowing to read the process standard output.
function Get_Error_Stream (Proc : in Process) return Util.Streams.Input_Stream_Access;
private
type File_Type_Array is array (Positive range <>) of File_Type;
type File_Type_Array_Access is access all File_Type_Array;
-- The <b>System_Process</b> interface is specific to the system. On Unix, it holds the
-- process identifier. On Windows, more information is necessary, including the process
-- and thread handles. It's a little bit overkill to setup an interface for this but
-- it looks cleaner than having specific system fields here.
type System_Process is limited interface;
type System_Process_Access is access all System_Process'Class;
type Process is new Ada.Finalization.Limited_Controlled with record
Pid : Process_Identifier := -1;
Sys : System_Process_Access := null;
Exit_Value : Integer := -1;
Dir : Ada.Strings.Unbounded.Unbounded_String;
In_File : Ada.Strings.Unbounded.Unbounded_String;
Out_File : Ada.Strings.Unbounded.Unbounded_String;
Err_File : Ada.Strings.Unbounded.Unbounded_String;
Shell : Ada.Strings.Unbounded.Unbounded_String;
Out_Append : Boolean := False;
Err_Append : Boolean := False;
Output : Util.Streams.Input_Stream_Access := null;
Input : Util.Streams.Output_Stream_Access := null;
Error : Util.Streams.Input_Stream_Access := null;
To_Close : File_Type_Array_Access;
end record;
-- Initialize the process instance.
overriding
procedure Initialize (Proc : in out Process);
-- Deletes the process instance.
overriding
procedure Finalize (Proc : in out Process);
-- Wait for the process to exit.
procedure Wait (Sys : in out System_Process;
Proc : in out Process'Class;
Timeout : in Duration) is abstract;
-- Terminate the process by sending a signal on Unix and exiting the process on Windows.
-- This operation is not portable and has a different behavior between Unix and Windows.
-- Its intent is to stop the process.
procedure Stop (Sys : in out System_Process;
Proc : in out Process'Class;
Signal : in Positive := 15) is abstract;
-- Spawn a new process.
procedure Spawn (Sys : in out System_Process;
Proc : in out Process'Class;
Mode : in Pipe_Mode := NONE) is abstract;
-- Clear the program arguments.
procedure Clear_Arguments (Sys : in out System_Process) is abstract;
-- Append the argument to the process argument list.
procedure Append_Argument (Sys : in out System_Process;
Arg : in String) is abstract;
-- Set the environment variable to be used by the process before its creation.
procedure Set_Environment (Sys : in out System_Process;
Name : in String;
Value : in String) is abstract;
-- Set the process input, output and error streams to redirect and use specified files.
procedure Set_Streams (Sys : in out System_Process;
Input : in String;
Output : in String;
Error : in String;
Append_Output : in Boolean;
Append_Error : in Boolean;
To_Close : in File_Type_Array_Access) is abstract;
-- Deletes the storage held by the system process.
procedure Finalize (Sys : in out System_Process) is abstract;
end Util.Processes;
|
mfkiwl/ewok-kernel-security-OS | Ada | 2,031 | ads | --
-- Copyright 2018 The wookey project team <[email protected]>
-- - Ryad Benadjila
-- - Arnauld Michelizza
-- - Mathieu Renard
-- - Philippe Thierry
-- - Philippe Trebuchet
--
-- Licensed under the Apache License, Version 2.0 (the "License");
-- you may not use this file except in compliance with the License.
-- You may obtain a copy of the License at
--
-- http://www.apache.org/licenses/LICENSE-2.0
--
-- Unless required by applicable law or agreed to in writing, software
-- distributed under the License is distributed on an "AS IS" BASIS,
-- WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-- See the License for the specific language governing permissions and
-- limitations under the License.
--
--
--
-- Ring buffer generic implementation
--
generic
type object is private;
size : in integer := 512;
default_object : object;
package rings
with spark_mode => on
is
pragma Preelaborate;
type ring is private;
type ring_state is (EMPTY, USED, FULL);
procedure init
(r : out ring);
-- Write new data and increment top counter
procedure write
(r : in out ring;
item : in object;
success : out boolean);
-- Read data and increment bottom counter
procedure read
(r : in out ring;
item : out object;
success : out boolean);
-- Decrement top counter
procedure unwrite
(r : in out ring;
success : out boolean);
-- Return ring state (empty, used or full)
function state (r : ring) return ring_state;
private
type ring_range is new integer range 1 .. size;
type buffer is array (ring_range) of object;
type ring is record
buf : buffer := (others => default_object);
top : ring_range := ring_range'first; -- place to write
bottom : ring_range := ring_range'first; -- place to read
state : ring_state := EMPTY;
end record;
end rings;
|
Schol-R-LEA/sarcos | Ada | 102 | ads | /home/schol-r-lea/Documents/Programming/Projects/OS-Experiments/sarcos/sarcos/ada/rts/src/a-uncdea.ads |
Fabien-Chouteau/GESTE | Ada | 71,532 | ads | package GESTE_Fonts.FreeMono18pt7b is
Font : constant Bitmap_Font_Ref;
private
FreeMono18pt7bBitmaps : aliased constant Font_Bitmap := (
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#20#, 16#00#, 16#03#, 16#80#, 16#00#,
16#1C#, 16#00#, 16#00#, 16#E0#, 16#00#, 16#07#, 16#00#, 16#00#, 16#38#,
16#00#, 16#01#, 16#C0#, 16#00#, 16#0E#, 16#00#, 16#00#, 16#60#, 16#00#,
16#01#, 16#00#, 16#00#, 16#08#, 16#00#, 16#00#, 16#40#, 16#00#, 16#02#,
16#00#, 16#00#, 16#10#, 16#00#, 16#00#, 16#80#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#1C#, 16#00#, 16#01#,
16#F0#, 16#00#, 16#0F#, 16#80#, 16#00#, 16#38#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#3E#,
16#F8#, 16#01#, 16#E3#, 16#C0#, 16#0F#, 16#1E#, 16#00#, 16#38#, 16#E0#,
16#01#, 16#C7#, 16#00#, 16#0E#, 16#38#, 16#00#, 16#71#, 16#C0#, 16#03#,
16#8E#, 16#00#, 16#18#, 16#30#, 16#00#, 16#41#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#C4#,
16#00#, 16#06#, 16#20#, 16#00#, 16#31#, 16#00#, 16#01#, 16#08#, 16#00#,
16#08#, 16#40#, 16#00#, 16#42#, 16#00#, 16#02#, 16#30#, 16#00#, 16#11#,
16#80#, 16#00#, 16#8C#, 16#00#, 16#7F#, 16#FE#, 16#00#, 16#23#, 16#00#,
16#03#, 16#18#, 16#00#, 16#18#, 16#80#, 16#00#, 16#C4#, 16#00#, 16#7F#,
16#FE#, 16#00#, 16#31#, 16#00#, 16#01#, 16#88#, 16#00#, 16#08#, 16#40#,
16#00#, 16#42#, 16#00#, 16#02#, 16#30#, 16#00#, 16#11#, 16#80#, 16#00#,
16#8C#, 16#00#, 16#04#, 16#60#, 16#00#, 16#23#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#04#, 16#00#,
16#00#, 16#20#, 16#00#, 16#01#, 16#00#, 16#00#, 16#3F#, 16#40#, 16#06#,
16#0E#, 16#00#, 16#60#, 16#30#, 16#02#, 16#00#, 16#80#, 16#10#, 16#00#,
16#00#, 16#80#, 16#00#, 16#06#, 16#00#, 16#00#, 16#18#, 16#00#, 16#00#,
16#7C#, 16#00#, 16#00#, 16#3C#, 16#00#, 16#00#, 16#30#, 16#00#, 16#00#,
16#C0#, 16#00#, 16#02#, 16#01#, 16#00#, 16#10#, 16#08#, 16#01#, 16#80#,
16#60#, 16#08#, 16#03#, 16#C1#, 16#80#, 16#13#, 16#F8#, 16#00#, 16#02#,
16#00#, 16#00#, 16#10#, 16#00#, 16#00#, 16#80#, 16#00#, 16#04#, 16#00#,
16#00#, 16#20#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#1E#, 16#00#, 16#01#, 16#8C#,
16#00#, 16#18#, 16#20#, 16#00#, 16#81#, 16#80#, 16#04#, 16#0C#, 16#00#,
16#30#, 16#40#, 16#00#, 16#C6#, 16#00#, 16#03#, 16#C0#, 16#00#, 16#00#,
16#1E#, 16#00#, 16#07#, 16#C0#, 16#01#, 16#F0#, 16#00#, 16#78#, 16#00#,
16#0E#, 16#00#, 16#00#, 16#00#, 16#78#, 16#00#, 16#0C#, 16#60#, 16#00#,
16#41#, 16#80#, 16#06#, 16#04#, 16#00#, 16#30#, 16#20#, 16#00#, 16#83#,
16#00#, 16#06#, 16#30#, 16#00#, 16#0F#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#0F#, 16#C0#, 16#00#,
16#C4#, 16#00#, 16#0C#, 16#00#, 16#00#, 16#40#, 16#00#, 16#02#, 16#00#,
16#00#, 16#18#, 16#00#, 16#00#, 16#40#, 16#00#, 16#03#, 16#00#, 16#00#,
16#18#, 16#00#, 16#03#, 16#E0#, 16#00#, 16#19#, 16#0E#, 16#01#, 16#8C#,
16#40#, 16#08#, 16#36#, 16#00#, 16#40#, 16#B0#, 16#02#, 16#07#, 16#00#,
16#18#, 16#18#, 16#00#, 16#61#, 16#C0#, 16#01#, 16#F3#, 16#C0#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#07#, 16#C0#, 16#00#, 16#3E#, 16#00#, 16#00#, 16#E0#, 16#00#, 16#07#,
16#00#, 16#00#, 16#38#, 16#00#, 16#01#, 16#C0#, 16#00#, 16#0E#, 16#00#,
16#00#, 16#70#, 16#00#, 16#03#, 16#80#, 16#00#, 16#08#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#18#, 16#00#, 16#00#, 16#C0#, 16#00#, 16#0C#,
16#00#, 16#00#, 16#60#, 16#00#, 16#06#, 16#00#, 16#00#, 16#30#, 16#00#,
16#03#, 16#00#, 16#00#, 16#18#, 16#00#, 16#00#, 16#C0#, 16#00#, 16#06#,
16#00#, 16#00#, 16#70#, 16#00#, 16#03#, 16#00#, 16#00#, 16#18#, 16#00#,
16#00#, 16#C0#, 16#00#, 16#07#, 16#00#, 16#00#, 16#18#, 16#00#, 16#00#,
16#C0#, 16#00#, 16#06#, 16#00#, 16#00#, 16#30#, 16#00#, 16#00#, 16#C0#,
16#00#, 16#06#, 16#00#, 16#00#, 16#18#, 16#00#, 16#00#, 16#C0#, 16#00#,
16#02#, 16#00#, 16#00#, 16#18#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#30#, 16#00#, 16#00#, 16#80#, 16#00#,
16#06#, 16#00#, 16#00#, 16#10#, 16#00#, 16#00#, 16#C0#, 16#00#, 16#06#,
16#00#, 16#00#, 16#18#, 16#00#, 16#00#, 16#C0#, 16#00#, 16#06#, 16#00#,
16#00#, 16#38#, 16#00#, 16#00#, 16#C0#, 16#00#, 16#06#, 16#00#, 16#00#,
16#30#, 16#00#, 16#01#, 16#80#, 16#00#, 16#0C#, 16#00#, 16#00#, 16#60#,
16#00#, 16#06#, 16#00#, 16#00#, 16#30#, 16#00#, 16#01#, 16#80#, 16#00#,
16#08#, 16#00#, 16#00#, 16#C0#, 16#00#, 16#06#, 16#00#, 16#00#, 16#60#,
16#00#, 16#03#, 16#00#, 16#00#, 16#30#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#01#, 16#00#, 16#00#,
16#08#, 16#00#, 16#00#, 16#40#, 16#00#, 16#02#, 16#00#, 16#06#, 16#10#,
16#C0#, 16#0E#, 16#B8#, 16#00#, 16#0E#, 16#00#, 16#00#, 16#50#, 16#00#,
16#06#, 16#C0#, 16#00#, 16#63#, 16#00#, 16#06#, 16#08#, 16#00#, 16#20#,
16#20#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#02#, 16#00#,
16#00#, 16#10#, 16#00#, 16#00#, 16#80#, 16#00#, 16#04#, 16#00#, 16#00#,
16#20#, 16#00#, 16#01#, 16#00#, 16#00#, 16#08#, 16#00#, 16#00#, 16#40#,
16#01#, 16#FF#, 16#FC#, 16#00#, 16#10#, 16#00#, 16#00#, 16#80#, 16#00#,
16#04#, 16#00#, 16#00#, 16#20#, 16#00#, 16#01#, 16#00#, 16#00#, 16#08#,
16#00#, 16#00#, 16#40#, 16#00#, 16#02#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#0F#, 16#80#,
16#00#, 16#78#, 16#00#, 16#03#, 16#C0#, 16#00#, 16#3C#, 16#00#, 16#01#,
16#C0#, 16#00#, 16#0E#, 16#00#, 16#00#, 16#E0#, 16#00#, 16#07#, 16#00#,
16#00#, 16#30#, 16#00#, 16#01#, 16#80#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#01#, 16#FF#, 16#FC#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#03#, 16#80#, 16#00#, 16#3E#, 16#00#, 16#01#, 16#F0#,
16#00#, 16#0F#, 16#80#, 16#00#, 16#38#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#30#, 16#00#, 16#01#, 16#80#, 16#00#, 16#08#,
16#00#, 16#00#, 16#C0#, 16#00#, 16#04#, 16#00#, 16#00#, 16#60#, 16#00#,
16#02#, 16#00#, 16#00#, 16#30#, 16#00#, 16#01#, 16#00#, 16#00#, 16#18#,
16#00#, 16#00#, 16#80#, 16#00#, 16#0C#, 16#00#, 16#00#, 16#40#, 16#00#,
16#06#, 16#00#, 16#00#, 16#20#, 16#00#, 16#03#, 16#00#, 16#00#, 16#18#,
16#00#, 16#01#, 16#80#, 16#00#, 16#0C#, 16#00#, 16#00#, 16#40#, 16#00#,
16#06#, 16#00#, 16#00#, 16#20#, 16#00#, 16#03#, 16#00#, 16#00#, 16#10#,
16#00#, 16#01#, 16#80#, 16#00#, 16#08#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#07#, 16#C0#, 16#00#, 16#63#, 16#00#, 16#04#, 16#04#, 16#00#, 16#60#,
16#30#, 16#02#, 16#00#, 16#80#, 16#30#, 16#06#, 16#01#, 16#80#, 16#30#,
16#08#, 16#00#, 16#80#, 16#40#, 16#04#, 16#02#, 16#00#, 16#20#, 16#10#,
16#01#, 16#00#, 16#80#, 16#08#, 16#04#, 16#00#, 16#40#, 16#20#, 16#02#,
16#01#, 16#80#, 16#30#, 16#0C#, 16#01#, 16#80#, 16#20#, 16#08#, 16#01#,
16#80#, 16#C0#, 16#04#, 16#04#, 16#00#, 16#18#, 16#C0#, 16#00#, 16#7C#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#03#, 16#00#, 16#00#, 16#38#, 16#00#, 16#03#, 16#40#,
16#00#, 16#32#, 16#00#, 16#03#, 16#10#, 16#00#, 16#30#, 16#80#, 16#00#,
16#04#, 16#00#, 16#00#, 16#20#, 16#00#, 16#01#, 16#00#, 16#00#, 16#08#,
16#00#, 16#00#, 16#40#, 16#00#, 16#02#, 16#00#, 16#00#, 16#10#, 16#00#,
16#00#, 16#80#, 16#00#, 16#04#, 16#00#, 16#00#, 16#20#, 16#00#, 16#01#,
16#00#, 16#00#, 16#08#, 16#00#, 16#00#, 16#40#, 16#00#, 16#02#, 16#00#,
16#07#, 16#FF#, 16#C0#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#0F#, 16#C0#, 16#00#, 16#C3#, 16#00#,
16#08#, 16#04#, 16#00#, 16#80#, 16#10#, 16#04#, 16#00#, 16#80#, 16#00#,
16#06#, 16#00#, 16#00#, 16#20#, 16#00#, 16#01#, 16#00#, 16#00#, 16#18#,
16#00#, 16#01#, 16#80#, 16#00#, 16#18#, 16#00#, 16#01#, 16#80#, 16#00#,
16#18#, 16#00#, 16#01#, 16#80#, 16#00#, 16#18#, 16#00#, 16#01#, 16#80#,
16#00#, 16#18#, 16#00#, 16#01#, 16#80#, 16#60#, 16#18#, 16#03#, 16#01#,
16#80#, 16#18#, 16#0F#, 16#FF#, 16#C0#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#0F#, 16#C0#, 16#01#,
16#C1#, 16#80#, 16#18#, 16#06#, 16#00#, 16#00#, 16#10#, 16#00#, 16#00#,
16#C0#, 16#00#, 16#06#, 16#00#, 16#00#, 16#20#, 16#00#, 16#03#, 16#00#,
16#00#, 16#30#, 16#00#, 16#1E#, 16#00#, 16#00#, 16#1C#, 16#00#, 16#00#,
16#30#, 16#00#, 16#00#, 16#C0#, 16#00#, 16#02#, 16#00#, 16#00#, 16#10#,
16#00#, 16#00#, 16#80#, 16#00#, 16#04#, 16#00#, 16#00#, 16#60#, 16#30#,
16#06#, 16#00#, 16#E0#, 16#60#, 16#00#, 16#FC#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#F0#, 16#00#, 16#05#, 16#80#, 16#00#, 16#4C#, 16#00#, 16#02#, 16#60#,
16#00#, 16#23#, 16#00#, 16#03#, 16#18#, 16#00#, 16#10#, 16#C0#, 16#01#,
16#86#, 16#00#, 16#08#, 16#30#, 16#00#, 16#C1#, 16#80#, 16#04#, 16#0C#,
16#00#, 16#40#, 16#60#, 16#06#, 16#03#, 16#00#, 16#20#, 16#18#, 16#01#,
16#FF#, 16#F0#, 16#00#, 16#06#, 16#00#, 16#00#, 16#30#, 16#00#, 16#01#,
16#80#, 16#00#, 16#0C#, 16#00#, 16#00#, 16#60#, 16#00#, 16#1F#, 16#C0#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#3F#, 16#F8#, 16#01#, 16#80#, 16#00#, 16#0C#, 16#00#, 16#00#,
16#60#, 16#00#, 16#03#, 16#00#, 16#00#, 16#18#, 16#00#, 16#00#, 16#C0#,
16#00#, 16#06#, 16#FC#, 16#00#, 16#38#, 16#30#, 16#00#, 16#00#, 16#40#,
16#00#, 16#03#, 16#00#, 16#00#, 16#08#, 16#00#, 16#00#, 16#40#, 16#00#,
16#02#, 16#00#, 16#00#, 16#10#, 16#00#, 16#00#, 16#80#, 16#00#, 16#0C#,
16#02#, 16#00#, 16#60#, 16#18#, 16#06#, 16#00#, 16#70#, 16#60#, 16#00#,
16#FC#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#7E#, 16#00#, 16#0C#, 16#00#, 16#01#,
16#80#, 16#00#, 16#18#, 16#00#, 16#00#, 16#80#, 16#00#, 16#0C#, 16#00#,
16#00#, 16#40#, 16#00#, 16#06#, 16#00#, 16#00#, 16#20#, 16#00#, 16#01#,
16#0F#, 16#00#, 16#09#, 16#86#, 16#00#, 16#58#, 16#18#, 16#03#, 16#80#,
16#40#, 16#18#, 16#03#, 16#00#, 16#80#, 16#18#, 16#06#, 16#00#, 16#C0#,
16#10#, 16#06#, 16#00#, 16#C0#, 16#20#, 16#02#, 16#03#, 16#00#, 16#0C#,
16#30#, 16#00#, 16#3E#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#7F#, 16#FC#, 16#02#, 16#00#,
16#60#, 16#10#, 16#03#, 16#00#, 16#80#, 16#10#, 16#00#, 16#01#, 16#80#,
16#00#, 16#0C#, 16#00#, 16#00#, 16#40#, 16#00#, 16#02#, 16#00#, 16#00#,
16#30#, 16#00#, 16#01#, 16#00#, 16#00#, 16#08#, 16#00#, 16#00#, 16#C0#,
16#00#, 16#04#, 16#00#, 16#00#, 16#20#, 16#00#, 16#03#, 16#00#, 16#00#,
16#18#, 16#00#, 16#00#, 16#80#, 16#00#, 16#0C#, 16#00#, 16#00#, 16#60#,
16#00#, 16#02#, 16#00#, 16#00#, 16#10#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#07#, 16#C0#,
16#00#, 16#C1#, 16#80#, 16#0C#, 16#06#, 16#00#, 16#40#, 16#10#, 16#06#,
16#00#, 16#C0#, 16#30#, 16#06#, 16#01#, 16#80#, 16#30#, 16#04#, 16#01#,
16#00#, 16#30#, 16#18#, 16#00#, 16#C1#, 16#80#, 16#01#, 16#F0#, 16#00#,
16#30#, 16#60#, 16#03#, 16#01#, 16#80#, 16#30#, 16#06#, 16#01#, 16#80#,
16#30#, 16#08#, 16#00#, 16#80#, 16#60#, 16#0C#, 16#03#, 16#00#, 16#60#,
16#0C#, 16#06#, 16#00#, 16#30#, 16#60#, 16#00#, 16#7C#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#07#, 16#C0#, 16#00#, 16#61#, 16#80#, 16#06#, 16#06#, 16#00#, 16#60#,
16#10#, 16#02#, 16#00#, 16#C0#, 16#10#, 16#02#, 16#00#, 16#80#, 16#18#,
16#04#, 16#00#, 16#C0#, 16#30#, 16#0E#, 16#00#, 16#80#, 16#F0#, 16#03#,
16#0D#, 16#80#, 16#0F#, 16#8C#, 16#00#, 16#00#, 16#60#, 16#00#, 16#02#,
16#00#, 16#00#, 16#30#, 16#00#, 16#01#, 16#80#, 16#00#, 16#18#, 16#00#,
16#01#, 16#80#, 16#00#, 16#18#, 16#00#, 16#03#, 16#80#, 16#03#, 16#F0#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#0E#, 16#00#, 16#00#, 16#F8#, 16#00#, 16#07#, 16#C0#, 16#00#, 16#3E#,
16#00#, 16#00#, 16#E0#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#03#,
16#80#, 16#00#, 16#3E#, 16#00#, 16#01#, 16#F0#, 16#00#, 16#0F#, 16#80#,
16#00#, 16#38#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#1C#, 16#00#, 16#01#, 16#F0#, 16#00#, 16#0F#, 16#80#,
16#00#, 16#7C#, 16#00#, 16#01#, 16#C0#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#0F#, 16#80#, 16#00#, 16#78#, 16#00#, 16#03#, 16#C0#, 16#00#,
16#3C#, 16#00#, 16#01#, 16#E0#, 16#00#, 16#0E#, 16#00#, 16#00#, 16#60#,
16#00#, 16#07#, 16#00#, 16#00#, 16#30#, 16#00#, 16#01#, 16#80#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#0C#, 16#00#, 16#00#,
16#C0#, 16#00#, 16#1C#, 16#00#, 16#03#, 16#80#, 16#00#, 16#70#, 16#00#,
16#0E#, 16#00#, 16#00#, 16#C0#, 16#00#, 16#1C#, 16#00#, 16#01#, 16#C0#,
16#00#, 16#03#, 16#80#, 16#00#, 16#07#, 16#00#, 16#00#, 16#0C#, 16#00#,
16#00#, 16#38#, 16#00#, 16#00#, 16#70#, 16#00#, 16#00#, 16#E0#, 16#00#,
16#01#, 16#80#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#01#, 16#FF#, 16#FF#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#FF#, 16#FF#, 16#80#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#01#,
16#80#, 16#00#, 16#06#, 16#00#, 16#00#, 16#1C#, 16#00#, 16#00#, 16#38#,
16#00#, 16#00#, 16#70#, 16#00#, 16#00#, 16#E0#, 16#00#, 16#01#, 16#80#,
16#00#, 16#07#, 16#00#, 16#00#, 16#1C#, 16#00#, 16#03#, 16#80#, 16#00#,
16#70#, 16#00#, 16#06#, 16#00#, 16#00#, 16#E0#, 16#00#, 16#1C#, 16#00#,
16#03#, 16#80#, 16#00#, 16#30#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#7F#, 16#00#, 16#0E#,
16#0C#, 16#00#, 16#40#, 16#30#, 16#02#, 16#00#, 16#C0#, 16#10#, 16#02#,
16#00#, 16#00#, 16#10#, 16#00#, 16#01#, 16#80#, 16#00#, 16#08#, 16#00#,
16#01#, 16#C0#, 16#00#, 16#38#, 16#00#, 16#03#, 16#00#, 16#00#, 16#10#,
16#00#, 16#00#, 16#80#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#1C#, 16#00#, 16#01#, 16#F0#, 16#00#, 16#0F#,
16#80#, 16#00#, 16#38#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#07#, 16#C0#, 16#00#, 16#43#,
16#00#, 16#04#, 16#04#, 16#00#, 16#40#, 16#30#, 16#06#, 16#00#, 16#80#,
16#30#, 16#04#, 16#01#, 16#00#, 16#20#, 16#08#, 16#0F#, 16#00#, 16#41#,
16#88#, 16#02#, 16#18#, 16#40#, 16#10#, 16#82#, 16#00#, 16#8C#, 16#10#,
16#04#, 16#20#, 16#80#, 16#21#, 16#04#, 16#01#, 16#0C#, 16#20#, 16#08#,
16#1F#, 16#80#, 16#40#, 16#00#, 16#03#, 16#00#, 16#00#, 16#18#, 16#00#,
16#00#, 16#40#, 16#00#, 16#01#, 16#00#, 16#00#, 16#0C#, 16#0C#, 16#00#,
16#1F#, 16#80#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#07#, 16#FC#, 16#00#, 16#01#, 16#A0#, 16#00#, 16#0D#, 16#00#, 16#00#,
16#4C#, 16#00#, 16#06#, 16#20#, 16#00#, 16#21#, 16#80#, 16#01#, 16#0C#,
16#00#, 16#18#, 16#20#, 16#00#, 16#81#, 16#80#, 16#04#, 16#04#, 16#00#,
16#60#, 16#20#, 16#02#, 16#01#, 16#80#, 16#1F#, 16#FC#, 16#01#, 16#80#,
16#20#, 16#08#, 16#01#, 16#80#, 16#40#, 16#04#, 16#06#, 16#00#, 16#30#,
16#20#, 16#01#, 16#81#, 16#00#, 16#04#, 16#7F#, 16#03#, 16#FC#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#0F#, 16#FF#, 16#00#, 16#18#, 16#06#, 16#00#, 16#C0#,
16#18#, 16#06#, 16#00#, 16#40#, 16#30#, 16#02#, 16#01#, 16#80#, 16#10#,
16#0C#, 16#00#, 16#80#, 16#60#, 16#0C#, 16#03#, 16#01#, 16#C0#, 16#1F#,
16#FC#, 16#00#, 16#C0#, 16#38#, 16#06#, 16#00#, 16#60#, 16#30#, 16#01#,
16#01#, 16#80#, 16#0C#, 16#0C#, 16#00#, 16#60#, 16#60#, 16#03#, 16#03#,
16#00#, 16#18#, 16#18#, 16#01#, 16#80#, 16#C0#, 16#18#, 16#1F#, 16#FF#,
16#80#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#3F#, 16#10#, 16#06#, 16#0E#,
16#80#, 16#60#, 16#1C#, 16#04#, 16#00#, 16#60#, 16#60#, 16#01#, 16#02#,
16#00#, 16#08#, 16#30#, 16#00#, 16#01#, 16#80#, 16#00#, 16#0C#, 16#00#,
16#00#, 16#60#, 16#00#, 16#03#, 16#00#, 16#00#, 16#18#, 16#00#, 16#00#,
16#C0#, 16#00#, 16#02#, 16#00#, 16#00#, 16#10#, 16#00#, 16#00#, 16#C0#,
16#00#, 16#03#, 16#00#, 16#18#, 16#0C#, 16#01#, 16#80#, 16#38#, 16#38#,
16#00#, 16#7E#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#0F#, 16#FE#, 16#00#,
16#10#, 16#1C#, 16#00#, 16#80#, 16#30#, 16#04#, 16#00#, 16#C0#, 16#20#,
16#02#, 16#01#, 16#00#, 16#18#, 16#08#, 16#00#, 16#C0#, 16#40#, 16#02#,
16#02#, 16#00#, 16#10#, 16#10#, 16#00#, 16#80#, 16#80#, 16#04#, 16#04#,
16#00#, 16#20#, 16#20#, 16#01#, 16#01#, 16#00#, 16#18#, 16#08#, 16#00#,
16#C0#, 16#40#, 16#04#, 16#02#, 16#00#, 16#60#, 16#10#, 16#06#, 16#00#,
16#80#, 16#E0#, 16#1F#, 16#FC#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#0F#,
16#FF#, 16#E0#, 16#18#, 16#01#, 16#00#, 16#C0#, 16#08#, 16#06#, 16#00#,
16#40#, 16#30#, 16#02#, 16#01#, 16#80#, 16#00#, 16#0C#, 16#00#, 16#00#,
16#60#, 16#80#, 16#03#, 16#04#, 16#00#, 16#1F#, 16#E0#, 16#00#, 16#C1#,
16#00#, 16#06#, 16#08#, 16#00#, 16#30#, 16#00#, 16#01#, 16#80#, 16#00#,
16#0C#, 16#00#, 16#40#, 16#60#, 16#02#, 16#03#, 16#00#, 16#10#, 16#18#,
16#00#, 16#80#, 16#C0#, 16#04#, 16#1F#, 16#FF#, 16#E0#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#0F#, 16#FF#, 16#F0#, 16#18#, 16#00#, 16#80#, 16#C0#, 16#04#,
16#06#, 16#00#, 16#20#, 16#30#, 16#01#, 16#01#, 16#80#, 16#00#, 16#0C#,
16#00#, 16#00#, 16#60#, 16#80#, 16#03#, 16#04#, 16#00#, 16#1F#, 16#E0#,
16#00#, 16#C1#, 16#00#, 16#06#, 16#08#, 16#00#, 16#30#, 16#00#, 16#01#,
16#80#, 16#00#, 16#0C#, 16#00#, 16#00#, 16#60#, 16#00#, 16#03#, 16#00#,
16#00#, 16#18#, 16#00#, 16#00#, 16#C0#, 16#00#, 16#1F#, 16#F8#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#3F#, 16#90#, 16#06#, 16#07#, 16#80#,
16#60#, 16#0C#, 16#06#, 16#00#, 16#20#, 16#60#, 16#01#, 16#02#, 16#00#,
16#00#, 16#30#, 16#00#, 16#01#, 16#80#, 16#00#, 16#0C#, 16#00#, 16#00#,
16#60#, 16#00#, 16#03#, 16#00#, 16#00#, 16#18#, 16#0F#, 16#F8#, 16#C0#,
16#01#, 16#06#, 16#00#, 16#08#, 16#10#, 16#00#, 16#40#, 16#C0#, 16#02#,
16#02#, 16#00#, 16#10#, 16#08#, 16#00#, 16#80#, 16#30#, 16#1C#, 16#00#,
16#7F#, 16#80#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#07#, 16#E3#, 16#F8#, 16#18#,
16#03#, 16#00#, 16#C0#, 16#18#, 16#06#, 16#00#, 16#C0#, 16#30#, 16#06#,
16#01#, 16#80#, 16#30#, 16#0C#, 16#01#, 16#80#, 16#60#, 16#0C#, 16#03#,
16#00#, 16#60#, 16#1F#, 16#FF#, 16#00#, 16#C0#, 16#18#, 16#06#, 16#00#,
16#C0#, 16#30#, 16#06#, 16#01#, 16#80#, 16#30#, 16#0C#, 16#01#, 16#80#,
16#60#, 16#0C#, 16#03#, 16#00#, 16#60#, 16#18#, 16#03#, 16#00#, 16#C0#,
16#18#, 16#1F#, 16#C7#, 16#F0#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#03#, 16#FF#,
16#E0#, 16#00#, 16#40#, 16#00#, 16#02#, 16#00#, 16#00#, 16#10#, 16#00#,
16#00#, 16#80#, 16#00#, 16#04#, 16#00#, 16#00#, 16#20#, 16#00#, 16#01#,
16#00#, 16#00#, 16#08#, 16#00#, 16#00#, 16#40#, 16#00#, 16#02#, 16#00#,
16#00#, 16#10#, 16#00#, 16#00#, 16#80#, 16#00#, 16#04#, 16#00#, 16#00#,
16#20#, 16#00#, 16#01#, 16#00#, 16#00#, 16#08#, 16#00#, 16#00#, 16#40#,
16#00#, 16#02#, 16#00#, 16#07#, 16#FF#, 16#C0#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#3F#, 16#FC#, 16#00#, 16#02#, 16#00#, 16#00#, 16#10#, 16#00#,
16#00#, 16#80#, 16#00#, 16#04#, 16#00#, 16#00#, 16#20#, 16#00#, 16#01#,
16#00#, 16#00#, 16#08#, 16#00#, 16#00#, 16#40#, 16#00#, 16#02#, 16#00#,
16#00#, 16#10#, 16#08#, 16#00#, 16#80#, 16#40#, 16#04#, 16#02#, 16#00#,
16#20#, 16#10#, 16#01#, 16#00#, 16#80#, 16#18#, 16#04#, 16#00#, 16#80#,
16#10#, 16#0C#, 16#00#, 16#60#, 16#C0#, 16#00#, 16#F8#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#0F#, 16#E1#, 16#F8#, 16#18#, 16#03#, 16#00#, 16#C0#,
16#30#, 16#06#, 16#03#, 16#00#, 16#30#, 16#30#, 16#01#, 16#83#, 16#00#,
16#0C#, 16#30#, 16#00#, 16#63#, 16#00#, 16#03#, 16#30#, 16#00#, 16#1B#,
16#E0#, 16#00#, 16#F1#, 16#80#, 16#07#, 16#06#, 16#00#, 16#30#, 16#10#,
16#01#, 16#80#, 16#C0#, 16#0C#, 16#02#, 16#00#, 16#60#, 16#18#, 16#03#,
16#00#, 16#40#, 16#18#, 16#03#, 16#00#, 16#C0#, 16#18#, 16#1F#, 16#C0#,
16#78#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#0F#, 16#FC#, 16#00#, 16#02#, 16#00#,
16#00#, 16#10#, 16#00#, 16#00#, 16#80#, 16#00#, 16#04#, 16#00#, 16#00#,
16#20#, 16#00#, 16#01#, 16#00#, 16#00#, 16#08#, 16#00#, 16#00#, 16#40#,
16#00#, 16#02#, 16#00#, 16#00#, 16#10#, 16#00#, 16#00#, 16#80#, 16#00#,
16#04#, 16#00#, 16#00#, 16#20#, 16#04#, 16#01#, 16#00#, 16#60#, 16#08#,
16#03#, 16#00#, 16#40#, 16#18#, 16#02#, 16#00#, 16#C0#, 16#10#, 16#06#,
16#1F#, 16#FF#, 16#F0#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#1E#, 16#00#, 16#3C#,
16#38#, 16#03#, 16#C1#, 16#40#, 16#16#, 16#0B#, 16#01#, 16#B0#, 16#48#,
16#09#, 16#82#, 16#60#, 16#4C#, 16#11#, 16#06#, 16#60#, 16#88#, 16#23#,
16#04#, 16#63#, 16#18#, 16#21#, 16#10#, 16#C1#, 16#0D#, 16#86#, 16#08#,
16#2C#, 16#30#, 16#41#, 16#C1#, 16#82#, 16#0E#, 16#0C#, 16#10#, 16#00#,
16#60#, 16#80#, 16#03#, 16#04#, 16#00#, 16#18#, 16#20#, 16#00#, 16#C1#,
16#00#, 16#06#, 16#7F#, 16#81#, 16#FC#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#1F#,
16#01#, 16#FC#, 16#18#, 16#01#, 16#80#, 16#A0#, 16#0C#, 16#05#, 16#00#,
16#60#, 16#24#, 16#03#, 16#01#, 16#30#, 16#18#, 16#08#, 16#80#, 16#C0#,
16#46#, 16#06#, 16#02#, 16#10#, 16#30#, 16#10#, 16#41#, 16#80#, 16#83#,
16#0C#, 16#04#, 16#08#, 16#60#, 16#20#, 16#63#, 16#01#, 16#01#, 16#18#,
16#08#, 16#04#, 16#C0#, 16#40#, 16#26#, 16#02#, 16#00#, 16#B0#, 16#10#,
16#07#, 16#80#, 16#80#, 16#1C#, 16#3F#, 16#C0#, 16#E0#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#3E#, 16#00#, 16#06#, 16#0C#, 16#00#, 16#40#, 16#10#,
16#04#, 16#00#, 16#40#, 16#60#, 16#03#, 16#02#, 16#00#, 16#08#, 16#30#,
16#00#, 16#61#, 16#00#, 16#03#, 16#08#, 16#00#, 16#08#, 16#40#, 16#00#,
16#42#, 16#00#, 16#02#, 16#10#, 16#00#, 16#10#, 16#80#, 16#01#, 16#86#,
16#00#, 16#0C#, 16#10#, 16#00#, 16#40#, 16#C0#, 16#06#, 16#02#, 16#00#,
16#20#, 16#08#, 16#02#, 16#00#, 16#30#, 16#60#, 16#00#, 16#7C#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#0F#, 16#FF#, 16#00#, 16#18#, 16#0E#, 16#00#,
16#C0#, 16#18#, 16#06#, 16#00#, 16#40#, 16#30#, 16#02#, 16#01#, 16#80#,
16#10#, 16#0C#, 16#00#, 16#80#, 16#60#, 16#0C#, 16#03#, 16#00#, 16#40#,
16#18#, 16#0C#, 16#00#, 16#FF#, 16#80#, 16#06#, 16#00#, 16#00#, 16#30#,
16#00#, 16#01#, 16#80#, 16#00#, 16#0C#, 16#00#, 16#00#, 16#60#, 16#00#,
16#03#, 16#00#, 16#00#, 16#18#, 16#00#, 16#00#, 16#C0#, 16#00#, 16#1F#,
16#F8#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#3E#, 16#00#, 16#06#,
16#0C#, 16#00#, 16#40#, 16#10#, 16#04#, 16#00#, 16#40#, 16#60#, 16#03#,
16#02#, 16#00#, 16#08#, 16#30#, 16#00#, 16#61#, 16#00#, 16#03#, 16#08#,
16#00#, 16#08#, 16#40#, 16#00#, 16#42#, 16#00#, 16#02#, 16#10#, 16#00#,
16#10#, 16#80#, 16#01#, 16#86#, 16#00#, 16#0C#, 16#10#, 16#00#, 16#40#,
16#C0#, 16#06#, 16#02#, 16#00#, 16#20#, 16#18#, 16#02#, 16#00#, 16#30#,
16#60#, 16#00#, 16#FC#, 16#00#, 16#03#, 16#00#, 16#00#, 16#30#, 16#00#,
16#03#, 16#FC#, 16#60#, 16#38#, 16#1E#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#0F#, 16#FF#,
16#00#, 16#18#, 16#0C#, 16#00#, 16#C0#, 16#10#, 16#06#, 16#00#, 16#C0#,
16#30#, 16#02#, 16#01#, 16#80#, 16#10#, 16#0C#, 16#00#, 16#80#, 16#60#,
16#0C#, 16#03#, 16#00#, 16#C0#, 16#18#, 16#0C#, 16#00#, 16#FF#, 16#80#,
16#06#, 16#0C#, 16#00#, 16#30#, 16#10#, 16#01#, 16#80#, 16#40#, 16#0C#,
16#03#, 16#00#, 16#60#, 16#0C#, 16#03#, 16#00#, 16#20#, 16#18#, 16#01#,
16#80#, 16#C0#, 16#04#, 16#1F#, 16#C0#, 16#3C#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#3E#, 16#20#, 16#06#, 16#0D#, 16#00#, 16#60#, 16#18#, 16#06#,
16#00#, 16#C0#, 16#30#, 16#02#, 16#01#, 16#80#, 16#00#, 16#0C#, 16#00#,
16#00#, 16#30#, 16#00#, 16#00#, 16#E0#, 16#00#, 16#03#, 16#F0#, 16#00#,
16#01#, 16#F0#, 16#00#, 16#00#, 16#C0#, 16#00#, 16#02#, 16#00#, 16#00#,
16#18#, 16#18#, 16#00#, 16#C0#, 16#C0#, 16#06#, 16#06#, 16#00#, 16#20#,
16#38#, 16#03#, 16#01#, 16#F0#, 16#70#, 16#0C#, 16#FE#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#07#, 16#FF#, 16#F0#, 16#20#, 16#40#, 16#81#, 16#02#,
16#04#, 16#08#, 16#10#, 16#20#, 16#40#, 16#81#, 16#00#, 16#04#, 16#00#,
16#00#, 16#20#, 16#00#, 16#01#, 16#00#, 16#00#, 16#08#, 16#00#, 16#00#,
16#40#, 16#00#, 16#02#, 16#00#, 16#00#, 16#10#, 16#00#, 16#00#, 16#80#,
16#00#, 16#04#, 16#00#, 16#00#, 16#20#, 16#00#, 16#01#, 16#00#, 16#00#,
16#08#, 16#00#, 16#00#, 16#40#, 16#00#, 16#02#, 16#00#, 16#03#, 16#FF#,
16#80#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#1F#, 16#E1#, 16#FC#, 16#10#, 16#01#,
16#00#, 16#80#, 16#08#, 16#04#, 16#00#, 16#40#, 16#20#, 16#02#, 16#01#,
16#00#, 16#10#, 16#08#, 16#00#, 16#80#, 16#40#, 16#04#, 16#02#, 16#00#,
16#20#, 16#10#, 16#01#, 16#00#, 16#80#, 16#08#, 16#04#, 16#00#, 16#40#,
16#20#, 16#02#, 16#01#, 16#00#, 16#10#, 16#08#, 16#00#, 16#80#, 16#40#,
16#04#, 16#03#, 16#00#, 16#60#, 16#0C#, 16#06#, 16#00#, 16#30#, 16#60#,
16#00#, 16#7C#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#3F#, 16#80#, 16#FE#,
16#20#, 16#00#, 16#81#, 16#00#, 16#04#, 16#0C#, 16#00#, 16#60#, 16#20#,
16#02#, 16#01#, 16#80#, 16#30#, 16#0C#, 16#01#, 16#80#, 16#20#, 16#08#,
16#01#, 16#80#, 16#C0#, 16#0C#, 16#04#, 16#00#, 16#20#, 16#20#, 16#01#,
16#83#, 16#00#, 16#04#, 16#10#, 16#00#, 16#21#, 16#80#, 16#01#, 16#88#,
16#00#, 16#04#, 16#40#, 16#00#, 16#36#, 16#00#, 16#01#, 16#A0#, 16#00#,
16#07#, 16#00#, 16#00#, 16#38#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#1F#,
16#C1#, 16#FC#, 16#60#, 16#00#, 16#C3#, 16#00#, 16#06#, 16#18#, 16#00#,
16#30#, 16#40#, 16#01#, 16#02#, 16#0E#, 16#08#, 16#10#, 16#50#, 16#40#,
16#82#, 16#82#, 16#04#, 16#36#, 16#10#, 16#31#, 16#B1#, 16#81#, 16#88#,
16#8C#, 16#0C#, 16#46#, 16#60#, 16#66#, 16#33#, 16#01#, 16#20#, 16#90#,
16#09#, 16#04#, 16#80#, 16#58#, 16#34#, 16#02#, 16#81#, 16#A0#, 16#14#,
16#05#, 16#00#, 16#E0#, 16#38#, 16#07#, 16#01#, 16#C0#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#0F#, 16#C1#, 16#F8#, 16#10#, 16#03#, 16#00#, 16#C0#, 16#18#,
16#03#, 16#01#, 16#80#, 16#0C#, 16#18#, 16#00#, 16#60#, 16#80#, 16#01#,
16#8C#, 16#00#, 16#06#, 16#C0#, 16#00#, 16#14#, 16#00#, 16#00#, 16#E0#,
16#00#, 16#07#, 16#00#, 16#00#, 16#6C#, 16#00#, 16#02#, 16#20#, 16#00#,
16#31#, 16#80#, 16#03#, 16#06#, 16#00#, 16#30#, 16#18#, 16#01#, 16#00#,
16#C0#, 16#18#, 16#03#, 16#01#, 16#80#, 16#0C#, 16#3F#, 16#83#, 16#F8#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#0F#, 16#C1#, 16#F8#, 16#18#, 16#03#, 16#00#,
16#40#, 16#18#, 16#03#, 16#01#, 16#80#, 16#08#, 16#08#, 16#00#, 16#60#,
16#C0#, 16#01#, 16#8C#, 16#00#, 16#04#, 16#40#, 16#00#, 16#36#, 16#00#,
16#00#, 16#E0#, 16#00#, 16#07#, 16#00#, 16#00#, 16#10#, 16#00#, 16#00#,
16#80#, 16#00#, 16#04#, 16#00#, 16#00#, 16#20#, 16#00#, 16#01#, 16#00#,
16#00#, 16#08#, 16#00#, 16#00#, 16#40#, 16#00#, 16#02#, 16#00#, 16#03#,
16#FF#, 16#80#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#03#, 16#FF#, 16#C0#, 16#18#,
16#02#, 16#00#, 16#C0#, 16#30#, 16#06#, 16#03#, 16#00#, 16#30#, 16#18#,
16#01#, 16#81#, 16#80#, 16#00#, 16#18#, 16#00#, 16#00#, 16#C0#, 16#00#,
16#0C#, 16#00#, 16#00#, 16#C0#, 16#00#, 16#06#, 16#00#, 16#00#, 16#60#,
16#00#, 16#06#, 16#00#, 16#00#, 16#30#, 16#10#, 16#03#, 16#00#, 16#80#,
16#30#, 16#04#, 16#01#, 16#80#, 16#20#, 16#18#, 16#01#, 16#00#, 16#80#,
16#08#, 16#07#, 16#FF#, 16#C0#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#01#, 16#F8#, 16#00#, 16#08#,
16#00#, 16#00#, 16#40#, 16#00#, 16#02#, 16#00#, 16#00#, 16#10#, 16#00#,
16#00#, 16#80#, 16#00#, 16#04#, 16#00#, 16#00#, 16#20#, 16#00#, 16#01#,
16#00#, 16#00#, 16#08#, 16#00#, 16#00#, 16#40#, 16#00#, 16#02#, 16#00#,
16#00#, 16#10#, 16#00#, 16#00#, 16#80#, 16#00#, 16#04#, 16#00#, 16#00#,
16#20#, 16#00#, 16#01#, 16#00#, 16#00#, 16#08#, 16#00#, 16#00#, 16#40#,
16#00#, 16#02#, 16#00#, 16#00#, 16#10#, 16#00#, 16#00#, 16#80#, 16#00#,
16#04#, 16#00#, 16#00#, 16#20#, 16#00#, 16#01#, 16#F8#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#01#, 16#80#, 16#00#, 16#0C#, 16#00#, 16#00#, 16#20#, 16#00#,
16#01#, 16#80#, 16#00#, 16#04#, 16#00#, 16#00#, 16#30#, 16#00#, 16#00#,
16#80#, 16#00#, 16#06#, 16#00#, 16#00#, 16#10#, 16#00#, 16#00#, 16#C0#,
16#00#, 16#02#, 16#00#, 16#00#, 16#18#, 16#00#, 16#00#, 16#40#, 16#00#,
16#03#, 16#00#, 16#00#, 16#08#, 16#00#, 16#00#, 16#60#, 16#00#, 16#03#,
16#00#, 16#00#, 16#0C#, 16#00#, 16#00#, 16#60#, 16#00#, 16#01#, 16#00#,
16#00#, 16#0C#, 16#00#, 16#00#, 16#20#, 16#00#, 16#01#, 16#80#, 16#00#,
16#04#, 16#00#, 16#00#, 16#30#, 16#00#, 16#00#, 16#80#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#3F#, 16#00#, 16#00#, 16#08#, 16#00#, 16#00#, 16#40#, 16#00#, 16#02#,
16#00#, 16#00#, 16#10#, 16#00#, 16#00#, 16#80#, 16#00#, 16#04#, 16#00#,
16#00#, 16#20#, 16#00#, 16#01#, 16#00#, 16#00#, 16#08#, 16#00#, 16#00#,
16#40#, 16#00#, 16#02#, 16#00#, 16#00#, 16#10#, 16#00#, 16#00#, 16#80#,
16#00#, 16#04#, 16#00#, 16#00#, 16#20#, 16#00#, 16#01#, 16#00#, 16#00#,
16#08#, 16#00#, 16#00#, 16#40#, 16#00#, 16#02#, 16#00#, 16#00#, 16#10#,
16#00#, 16#00#, 16#80#, 16#00#, 16#04#, 16#00#, 16#00#, 16#20#, 16#00#,
16#3F#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#01#, 16#00#, 16#00#, 16#1C#, 16#00#, 16#01#, 16#B0#,
16#00#, 16#08#, 16#80#, 16#00#, 16#C6#, 16#00#, 16#0C#, 16#18#, 16#00#,
16#C0#, 16#60#, 16#0C#, 16#01#, 16#80#, 16#40#, 16#04#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#07#, 16#FF#, 16#FF#, 16#C0#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#06#, 16#00#, 16#00#, 16#18#, 16#00#, 16#00#,
16#60#, 16#00#, 16#01#, 16#C0#, 16#00#, 16#02#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#7F#, 16#00#, 16#0E#,
16#06#, 16#00#, 16#00#, 16#18#, 16#00#, 16#00#, 16#40#, 16#00#, 16#02#,
16#00#, 16#00#, 16#10#, 16#01#, 16#FF#, 16#80#, 16#38#, 16#0C#, 16#03#,
16#00#, 16#20#, 16#10#, 16#01#, 16#00#, 16#80#, 16#08#, 16#04#, 16#00#,
16#C0#, 16#20#, 16#0E#, 16#01#, 16#81#, 16#D0#, 16#03#, 16#F0#, 16#F0#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#03#, 16#C0#, 16#00#, 16#02#, 16#00#, 16#00#, 16#10#, 16#00#, 16#00#,
16#80#, 16#00#, 16#04#, 16#00#, 16#00#, 16#20#, 16#00#, 16#01#, 16#0F#,
16#80#, 16#09#, 16#83#, 16#00#, 16#50#, 16#0C#, 16#03#, 16#00#, 16#30#,
16#18#, 16#00#, 16#80#, 16#80#, 16#06#, 16#04#, 16#00#, 16#30#, 16#20#,
16#01#, 16#81#, 16#00#, 16#0C#, 16#08#, 16#00#, 16#60#, 16#60#, 16#02#,
16#03#, 16#00#, 16#30#, 16#1C#, 16#03#, 16#00#, 16#B8#, 16#30#, 16#3C#,
16#7E#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#1F#, 16#88#, 16#03#, 16#03#, 16#C0#, 16#30#, 16#0E#, 16#03#,
16#00#, 16#30#, 16#10#, 16#01#, 16#81#, 16#80#, 16#00#, 16#08#, 16#00#,
16#00#, 16#40#, 16#00#, 16#02#, 16#00#, 16#00#, 16#18#, 16#00#, 16#00#,
16#C0#, 16#00#, 16#03#, 16#00#, 16#18#, 16#08#, 16#01#, 16#80#, 16#30#,
16#38#, 16#00#, 16#7E#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#3E#, 16#00#, 16#00#,
16#30#, 16#00#, 16#01#, 16#80#, 16#00#, 16#0C#, 16#00#, 16#00#, 16#60#,
16#00#, 16#03#, 16#00#, 16#3E#, 16#18#, 16#06#, 16#0C#, 16#C0#, 16#60#,
16#16#, 16#06#, 16#00#, 16#70#, 16#20#, 16#03#, 16#83#, 16#00#, 16#0C#,
16#18#, 16#00#, 16#60#, 16#C0#, 16#03#, 16#06#, 16#00#, 16#18#, 16#30#,
16#00#, 16#C0#, 16#80#, 16#06#, 16#06#, 16#00#, 16#70#, 16#18#, 16#07#,
16#80#, 16#60#, 16#EC#, 16#00#, 16#FC#, 16#78#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#3F#, 16#00#, 16#07#, 16#06#,
16#00#, 16#60#, 16#18#, 16#06#, 16#00#, 16#60#, 16#20#, 16#01#, 16#83#,
16#00#, 16#0C#, 16#18#, 16#00#, 16#20#, 16#FF#, 16#FF#, 16#06#, 16#00#,
16#00#, 16#30#, 16#00#, 16#00#, 16#80#, 16#00#, 16#06#, 16#00#, 16#00#,
16#18#, 16#01#, 16#80#, 16#30#, 16#38#, 16#00#, 16#7E#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#FF#, 16#00#, 16#18#, 16#00#, 16#01#, 16#80#, 16#00#, 16#0C#,
16#00#, 16#00#, 16#40#, 16#00#, 16#02#, 16#00#, 16#01#, 16#FF#, 16#F0#,
16#00#, 16#80#, 16#00#, 16#04#, 16#00#, 16#00#, 16#20#, 16#00#, 16#01#,
16#00#, 16#00#, 16#08#, 16#00#, 16#00#, 16#40#, 16#00#, 16#02#, 16#00#,
16#00#, 16#10#, 16#00#, 16#00#, 16#80#, 16#00#, 16#04#, 16#00#, 16#00#,
16#20#, 16#00#, 16#01#, 16#00#, 16#00#, 16#08#, 16#00#, 16#07#, 16#FF#,
16#C0#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#3E#, 16#3E#, 16#06#, 16#0D#, 16#80#, 16#60#, 16#3C#, 16#06#, 16#00#,
16#E0#, 16#20#, 16#03#, 16#03#, 16#00#, 16#18#, 16#18#, 16#00#, 16#C0#,
16#C0#, 16#06#, 16#06#, 16#00#, 16#30#, 16#30#, 16#01#, 16#80#, 16#80#,
16#0C#, 16#06#, 16#00#, 16#E0#, 16#18#, 16#0F#, 16#00#, 16#60#, 16#D8#,
16#00#, 16#F8#, 16#C0#, 16#00#, 16#06#, 16#00#, 16#00#, 16#30#, 16#00#,
16#01#, 16#80#, 16#00#, 16#08#, 16#00#, 16#00#, 16#C0#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#01#, 16#E0#, 16#00#, 16#03#, 16#00#, 16#00#,
16#18#, 16#00#, 16#00#, 16#C0#, 16#00#, 16#06#, 16#00#, 16#00#, 16#30#,
16#00#, 16#01#, 16#8F#, 16#80#, 16#0D#, 16#86#, 16#00#, 16#78#, 16#08#,
16#03#, 16#80#, 16#60#, 16#18#, 16#03#, 16#00#, 16#C0#, 16#18#, 16#06#,
16#00#, 16#C0#, 16#30#, 16#06#, 16#01#, 16#80#, 16#30#, 16#0C#, 16#01#,
16#80#, 16#60#, 16#0C#, 16#03#, 16#00#, 16#60#, 16#18#, 16#03#, 16#00#,
16#C0#, 16#18#, 16#1F#, 16#83#, 16#F0#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#60#, 16#00#, 16#03#, 16#00#, 16#00#,
16#18#, 16#00#, 16#00#, 16#C0#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#FC#, 16#00#, 16#00#, 16#20#, 16#00#,
16#01#, 16#00#, 16#00#, 16#08#, 16#00#, 16#00#, 16#40#, 16#00#, 16#02#,
16#00#, 16#00#, 16#10#, 16#00#, 16#00#, 16#80#, 16#00#, 16#04#, 16#00#,
16#00#, 16#20#, 16#00#, 16#01#, 16#00#, 16#00#, 16#08#, 16#00#, 16#00#,
16#40#, 16#00#, 16#02#, 16#00#, 16#0F#, 16#FF#, 16#E0#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#18#, 16#00#, 16#00#,
16#C0#, 16#00#, 16#06#, 16#00#, 16#00#, 16#30#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#01#, 16#FF#, 16#C0#, 16#00#,
16#02#, 16#00#, 16#00#, 16#10#, 16#00#, 16#00#, 16#80#, 16#00#, 16#04#,
16#00#, 16#00#, 16#20#, 16#00#, 16#01#, 16#00#, 16#00#, 16#08#, 16#00#,
16#00#, 16#40#, 16#00#, 16#02#, 16#00#, 16#00#, 16#10#, 16#00#, 16#00#,
16#80#, 16#00#, 16#04#, 16#00#, 16#00#, 16#20#, 16#00#, 16#01#, 16#00#,
16#00#, 16#08#, 16#00#, 16#00#, 16#40#, 16#00#, 16#06#, 16#00#, 16#00#,
16#30#, 16#00#, 16#01#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#01#, 16#E0#, 16#00#, 16#01#, 16#00#, 16#00#, 16#08#, 16#00#, 16#00#,
16#40#, 16#00#, 16#02#, 16#00#, 16#00#, 16#10#, 16#00#, 16#00#, 16#83#,
16#F0#, 16#04#, 16#0C#, 16#00#, 16#20#, 16#C0#, 16#01#, 16#0C#, 16#00#,
16#08#, 16#C0#, 16#00#, 16#4C#, 16#00#, 16#02#, 16#E0#, 16#00#, 16#1F#,
16#00#, 16#00#, 16#CC#, 16#00#, 16#04#, 16#30#, 16#00#, 16#20#, 16#C0#,
16#01#, 16#03#, 16#00#, 16#08#, 16#0C#, 16#00#, 16#40#, 16#30#, 16#1E#,
16#07#, 16#F0#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#3F#, 16#00#, 16#00#, 16#08#, 16#00#, 16#00#,
16#40#, 16#00#, 16#02#, 16#00#, 16#00#, 16#10#, 16#00#, 16#00#, 16#80#,
16#00#, 16#04#, 16#00#, 16#00#, 16#20#, 16#00#, 16#01#, 16#00#, 16#00#,
16#08#, 16#00#, 16#00#, 16#40#, 16#00#, 16#02#, 16#00#, 16#00#, 16#10#,
16#00#, 16#00#, 16#80#, 16#00#, 16#04#, 16#00#, 16#00#, 16#20#, 16#00#,
16#01#, 16#00#, 16#00#, 16#08#, 16#00#, 16#00#, 16#40#, 16#00#, 16#02#,
16#00#, 16#0F#, 16#FF#, 16#E0#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#1E#, 16#F8#, 16#F0#, 16#1C#, 16#78#, 16#C0#, 16#C1#,
16#82#, 16#04#, 16#08#, 16#18#, 16#20#, 16#40#, 16#C1#, 16#02#, 16#06#,
16#08#, 16#10#, 16#30#, 16#40#, 16#81#, 16#82#, 16#04#, 16#0C#, 16#10#,
16#20#, 16#60#, 16#81#, 16#03#, 16#04#, 16#08#, 16#18#, 16#20#, 16#40#,
16#C1#, 16#02#, 16#06#, 16#7E#, 16#1C#, 16#3C#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#07#, 16#9F#, 16#80#, 16#0D#, 16#86#,
16#00#, 16#70#, 16#08#, 16#03#, 16#00#, 16#60#, 16#18#, 16#03#, 16#00#,
16#C0#, 16#18#, 16#06#, 16#00#, 16#C0#, 16#30#, 16#06#, 16#01#, 16#80#,
16#30#, 16#0C#, 16#01#, 16#80#, 16#60#, 16#0C#, 16#03#, 16#00#, 16#60#,
16#18#, 16#03#, 16#00#, 16#C0#, 16#18#, 16#1F#, 16#83#, 16#F0#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#1F#, 16#00#,
16#03#, 16#06#, 16#00#, 16#20#, 16#08#, 16#02#, 16#00#, 16#20#, 16#30#,
16#01#, 16#81#, 16#00#, 16#04#, 16#08#, 16#00#, 16#20#, 16#40#, 16#01#,
16#02#, 16#00#, 16#08#, 16#10#, 16#00#, 16#40#, 16#C0#, 16#06#, 16#02#,
16#00#, 16#20#, 16#18#, 16#02#, 16#00#, 16#30#, 16#60#, 16#00#, 16#7C#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#0F#,
16#1F#, 16#80#, 16#0B#, 16#83#, 16#00#, 16#70#, 16#0C#, 16#03#, 16#00#,
16#30#, 16#18#, 16#00#, 16#C0#, 16#80#, 16#06#, 16#04#, 16#00#, 16#30#,
16#20#, 16#01#, 16#81#, 16#00#, 16#0C#, 16#08#, 16#00#, 16#60#, 16#60#,
16#02#, 16#03#, 16#00#, 16#30#, 16#14#, 16#03#, 16#00#, 16#98#, 16#30#,
16#04#, 16#7E#, 16#00#, 16#20#, 16#00#, 16#01#, 16#00#, 16#00#, 16#08#,
16#00#, 16#00#, 16#40#, 16#00#, 16#02#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#3F#, 16#1E#, 16#06#, 16#0E#, 16#C0#, 16#60#, 16#1E#,
16#06#, 16#00#, 16#70#, 16#20#, 16#01#, 16#83#, 16#00#, 16#0C#, 16#18#,
16#00#, 16#60#, 16#C0#, 16#03#, 16#06#, 16#00#, 16#18#, 16#30#, 16#00#,
16#C0#, 16#80#, 16#0E#, 16#06#, 16#00#, 16#70#, 16#18#, 16#07#, 16#80#,
16#60#, 16#EC#, 16#00#, 16#FC#, 16#60#, 16#00#, 16#03#, 16#00#, 16#00#,
16#18#, 16#00#, 16#00#, 16#C0#, 16#00#, 16#06#, 16#00#, 16#00#, 16#30#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#01#, 16#F0#, 16#F8#, 16#01#, 16#98#, 16#60#,
16#0D#, 16#80#, 16#00#, 16#78#, 16#00#, 16#03#, 16#80#, 16#00#, 16#18#,
16#00#, 16#00#, 16#C0#, 16#00#, 16#06#, 16#00#, 16#00#, 16#30#, 16#00#,
16#01#, 16#80#, 16#00#, 16#0C#, 16#00#, 16#00#, 16#60#, 16#00#, 16#03#,
16#00#, 16#00#, 16#18#, 16#00#, 16#0F#, 16#FF#, 16#80#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#3F#, 16#A0#, 16#07#,
16#07#, 16#80#, 16#20#, 16#0C#, 16#03#, 16#00#, 16#60#, 16#18#, 16#00#,
16#00#, 16#60#, 16#00#, 16#01#, 16#E0#, 16#00#, 16#01#, 16#F8#, 16#00#,
16#00#, 16#60#, 16#00#, 16#01#, 16#80#, 16#40#, 16#04#, 16#02#, 16#00#,
16#20#, 16#18#, 16#03#, 16#00#, 16#E0#, 16#70#, 16#04#, 16#FE#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#01#, 16#00#, 16#00#, 16#0C#, 16#00#, 16#00#,
16#60#, 16#00#, 16#03#, 16#00#, 16#00#, 16#18#, 16#00#, 16#07#, 16#FF#,
16#C0#, 16#06#, 16#00#, 16#00#, 16#30#, 16#00#, 16#01#, 16#80#, 16#00#,
16#0C#, 16#00#, 16#00#, 16#60#, 16#00#, 16#03#, 16#00#, 16#00#, 16#18#,
16#00#, 16#00#, 16#C0#, 16#00#, 16#06#, 16#00#, 16#00#, 16#30#, 16#00#,
16#01#, 16#80#, 16#00#, 16#0C#, 16#01#, 16#00#, 16#30#, 16#38#, 16#00#,
16#7E#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#07#, 16#81#, 16#F0#, 16#0C#, 16#01#, 16#80#, 16#60#, 16#0C#, 16#03#,
16#00#, 16#60#, 16#18#, 16#03#, 16#00#, 16#C0#, 16#18#, 16#06#, 16#00#,
16#C0#, 16#30#, 16#06#, 16#01#, 16#80#, 16#30#, 16#0C#, 16#01#, 16#80#,
16#60#, 16#0C#, 16#03#, 16#00#, 16#60#, 16#08#, 16#07#, 16#00#, 16#60#,
16#F8#, 16#00#, 16#F8#, 16#F0#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#0F#, 16#E0#, 16#FE#, 16#08#, 16#00#, 16#80#, 16#60#,
16#0C#, 16#03#, 16#00#, 16#60#, 16#08#, 16#02#, 16#00#, 16#60#, 16#30#,
16#01#, 16#01#, 16#00#, 16#0C#, 16#18#, 16#00#, 16#20#, 16#80#, 16#01#,
16#04#, 16#00#, 16#0C#, 16#60#, 16#00#, 16#22#, 16#00#, 16#01#, 16#90#,
16#00#, 16#05#, 16#00#, 16#00#, 16#38#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#0F#, 16#C0#, 16#7E#, 16#10#, 16#00#,
16#40#, 16#80#, 16#02#, 16#06#, 16#08#, 16#30#, 16#30#, 16#E1#, 16#80#,
16#85#, 16#08#, 16#04#, 16#28#, 16#40#, 16#23#, 16#62#, 16#01#, 16#91#,
16#30#, 16#0C#, 16#89#, 16#80#, 16#2C#, 16#68#, 16#01#, 16#61#, 16#40#,
16#0A#, 16#0A#, 16#00#, 16#70#, 16#70#, 16#03#, 16#81#, 16#80#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#03#, 16#E0#, 16#F8#,
16#0C#, 16#01#, 16#80#, 16#30#, 16#18#, 16#00#, 16#C1#, 16#80#, 16#03#,
16#18#, 16#00#, 16#0D#, 16#80#, 16#00#, 16#38#, 16#00#, 16#01#, 16#C0#,
16#00#, 16#1B#, 16#00#, 16#01#, 16#8C#, 16#00#, 16#18#, 16#30#, 16#01#,
16#80#, 16#C0#, 16#18#, 16#03#, 16#00#, 16#80#, 16#18#, 16#1F#, 16#83#,
16#F0#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#07#,
16#E0#, 16#FC#, 16#08#, 16#00#, 16#C0#, 16#60#, 16#04#, 16#03#, 16#00#,
16#60#, 16#0C#, 16#02#, 16#00#, 16#60#, 16#30#, 16#01#, 16#01#, 16#00#,
16#0C#, 16#18#, 16#00#, 16#20#, 16#80#, 16#01#, 16#84#, 16#00#, 16#04#,
16#60#, 16#00#, 16#32#, 16#00#, 16#00#, 16#B0#, 16#00#, 16#07#, 16#00#,
16#00#, 16#38#, 16#00#, 16#00#, 16#80#, 16#00#, 16#0C#, 16#00#, 16#00#,
16#40#, 16#00#, 16#06#, 16#00#, 16#00#, 16#30#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#01#, 16#FF#, 16#F0#, 16#0C#, 16#03#, 16#00#, 16#60#, 16#30#,
16#03#, 16#01#, 16#00#, 16#00#, 16#18#, 16#00#, 16#01#, 16#80#, 16#00#,
16#18#, 16#00#, 16#01#, 16#80#, 16#00#, 16#08#, 16#00#, 16#00#, 16#C0#,
16#00#, 16#0C#, 16#00#, 16#00#, 16#C0#, 16#20#, 16#0C#, 16#01#, 16#00#,
16#40#, 16#08#, 16#07#, 16#FF#, 16#C0#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#E0#, 16#00#,
16#0C#, 16#00#, 16#00#, 16#40#, 16#00#, 16#02#, 16#00#, 16#00#, 16#10#,
16#00#, 16#00#, 16#80#, 16#00#, 16#04#, 16#00#, 16#00#, 16#20#, 16#00#,
16#01#, 16#00#, 16#00#, 16#08#, 16#00#, 16#00#, 16#C0#, 16#00#, 16#0C#,
16#00#, 16#01#, 16#C0#, 16#00#, 16#03#, 16#00#, 16#00#, 16#0C#, 16#00#,
16#00#, 16#20#, 16#00#, 16#01#, 16#00#, 16#00#, 16#08#, 16#00#, 16#00#,
16#40#, 16#00#, 16#02#, 16#00#, 16#00#, 16#10#, 16#00#, 16#00#, 16#80#,
16#00#, 16#04#, 16#00#, 16#00#, 16#30#, 16#00#, 16#00#, 16#E0#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#01#,
16#00#, 16#00#, 16#08#, 16#00#, 16#00#, 16#40#, 16#00#, 16#02#, 16#00#,
16#00#, 16#10#, 16#00#, 16#00#, 16#80#, 16#00#, 16#04#, 16#00#, 16#00#,
16#20#, 16#00#, 16#01#, 16#00#, 16#00#, 16#08#, 16#00#, 16#00#, 16#40#,
16#00#, 16#02#, 16#00#, 16#00#, 16#10#, 16#00#, 16#00#, 16#80#, 16#00#,
16#04#, 16#00#, 16#00#, 16#20#, 16#00#, 16#01#, 16#00#, 16#00#, 16#08#,
16#00#, 16#00#, 16#40#, 16#00#, 16#02#, 16#00#, 16#00#, 16#10#, 16#00#,
16#00#, 16#80#, 16#00#, 16#04#, 16#00#, 16#00#, 16#20#, 16#00#, 16#01#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#0E#, 16#00#, 16#00#, 16#18#, 16#00#, 16#00#, 16#40#, 16#00#,
16#02#, 16#00#, 16#00#, 16#10#, 16#00#, 16#00#, 16#80#, 16#00#, 16#04#,
16#00#, 16#00#, 16#20#, 16#00#, 16#01#, 16#00#, 16#00#, 16#08#, 16#00#,
16#00#, 16#60#, 16#00#, 16#01#, 16#80#, 16#00#, 16#07#, 16#00#, 16#00#,
16#60#, 16#00#, 16#06#, 16#00#, 16#00#, 16#20#, 16#00#, 16#01#, 16#00#,
16#00#, 16#08#, 16#00#, 16#00#, 16#40#, 16#00#, 16#02#, 16#00#, 16#00#,
16#10#, 16#00#, 16#00#, 16#80#, 16#00#, 16#04#, 16#00#, 16#00#, 16#60#,
16#00#, 16#0E#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#E0#, 16#00#, 16#08#, 16#81#, 16#80#, 16#C2#, 16#18#, 16#0C#, 16#08#,
16#80#, 16#00#, 16#38#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#,
16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#, 16#00#);
Font_D : aliased constant Bitmap_Font :=
(
Bytes_Per_Glyph => 92,
Glyph_Width => 21,
Glyph_Height => 35,
Data => FreeMono18pt7bBitmaps'Access);
Font : constant Bitmap_Font_Ref := Font_D'Access;
end GESTE_Fonts.FreeMono18pt7b;
|
zhmu/ananas | Ada | 2,087 | ads | ------------------------------------------------------------------------------
-- --
-- GNAT RUN-TIME COMPONENTS --
-- --
-- ADA.WIDE_WIDE_TEXT_IO.WIDE_WIDE_BOUNDED_IO --
-- --
-- S p e c --
-- --
-- This specification is derived from the Ada Reference Manual for use with --
-- GNAT. In accordance with the copyright of that document, you can freely --
-- copy and modify this specification, provided that if you redistribute a --
-- modified version, any changes that you have made are clearly indicated. --
-- --
------------------------------------------------------------------------------
with Ada.Strings.Wide_Wide_Bounded;
generic
with package Wide_Wide_Bounded is
new Ada.Strings.Wide_Wide_Bounded.Generic_Bounded_Length (<>);
package Ada.Wide_Wide_Text_IO.Wide_Wide_Bounded_IO is
function Get_Line return Wide_Wide_Bounded.Bounded_Wide_Wide_String;
function Get_Line
(File : File_Type) return Wide_Wide_Bounded.Bounded_Wide_Wide_String;
procedure Get_Line
(Item : out Wide_Wide_Bounded.Bounded_Wide_Wide_String);
procedure Get_Line
(File : File_Type;
Item : out Wide_Wide_Bounded.Bounded_Wide_Wide_String);
procedure Put
(Item : Wide_Wide_Bounded.Bounded_Wide_Wide_String);
procedure Put
(File : File_Type;
Item : Wide_Wide_Bounded.Bounded_Wide_Wide_String);
procedure Put_Line
(Item : Wide_Wide_Bounded.Bounded_Wide_Wide_String);
procedure Put_Line
(File : File_Type;
Item : Wide_Wide_Bounded.Bounded_Wide_Wide_String);
end Ada.Wide_Wide_Text_IO.Wide_Wide_Bounded_IO;
|
joakim-strandberg/wayland_ada_binding | Ada | 64 | ads | package Simple_Client is
procedure Run;
end Simple_Client;
|
jnguyen1098/legacy-programs | Ada | 5,986 | adb | -----------------------------------------------------------------------------
-- Russian Peasant Multiplication --
-- By: Jason Nguyen (XXXXXXXX) --
-- XXXXXXXX --
-----------------------------------------------------------------------------
with Ada.Text_IO; use Ada.Text_IO;
with Ada.Long_Integer_Text_IO; use Ada.Long_Integer_Text_IO;
with Ada.Calendar; use Ada.Calendar;
procedure Peasant is
------------------------------ Main Subprograms -------------------------------
function russianPeasantRecursive(m, n : Long_Integer) return Long_Integer;
function russianPeasantIterative(ml, mn : Long_Integer) return Long_Integer;
procedure benchmarkRecursive(m, n : Long_Integer);
procedure benchmarkIterative(m, n : Long_Integer);
-------------------------------------------------------------------------------
-- Recursive Russian Peasant Multiplication
function russianPeasantRecursive(m, n : Long_Integer) return Long_Integer is
begin
-- Base cases
if m = 0 then
return 0;
elsif m = 1 then
return n;
-- Recursive cases
elsif m mod 2 = 0 then
return russianPeasantRecursive(m / 2, n * 2);
else
return n + russianPeasantRecursive(m / 2, n * 2);
end if;
end russianPeasantRecursive;
-- Iterative Russian Peasant Multiplication
function russianPeasantIterative(ml, mn : Long_Integer) return Long_Integer is
m : Long_Integer := ml;
n : Long_Integer := mn;
result : Long_Integer := 0;
begin
-- Continually reduce m until it is 0
-- while raising n by a factor of 2
while m > 0 loop
if m mod 2 = 1 then
result := result + n;
end if;
m := m / 2;
n := n * 2;
end loop;
return result;
end russianPeasantIterative;
-- Benchmark recursive function -- multiplies all
-- numbers within a certain range, sequentially
procedure benchmarkRecursive(m, n : Long_Integer) is
start : Time;
finish : Time;
result : Long_Integer;
begin
-- Clock start
start := Clock;
for i in m .. n loop
for j in m .. n loop
result := russianPeasantRecursive(i, j);
end loop;
end loop;
if result < 0 then Put_Line("Error"); end if;
-- Clock end
finish := Clock;
Put_Line(" Recursive took" & Duration'Image(finish - start) & " seconds");
end benchmarkRecursive;
-- Benchmark recursive function -- multiplies all
-- numbers within a certain range, sequentially
procedure benchmarkIterative(m, n : Long_Integer) is
start : Time;
finish : Time;
result : Long_Integer;
begin
-- Clock start
start := Clock;
for i in m .. n loop
for j in m .. n loop
result := russianPeasantIterative(i, j);
end loop;
end loop;
if result < 0 then Put_Line("Error"); end if;
-- Clock end
finish := Clock;
Put_Line(" Iterative took" & Duration'Image(finish - start) & " seconds");
end benchmarkIterative;
------------------------------ Variables ------------------------------
multiplier : Long_Integer;
multiplicand : Long_Integer;
recursiveAns : Long_Integer;
iterativeAns : Long_Integer;
-- My test suite (it's an array of ranges to use)
rng : constant Array(0 .. 4) of Long_Integer := (1,5,50,500,5000);
-------------------------------- Main ---------------------------------
begin
Put_Line("-------------------------------------------");
Put_Line("-- Russian Peasant Multiplication in Ada --");
Put_Line("-- Enter a negative number to quit --");
Put_Line("-- By Jason Nguyen (XXXXXXXX) --");
Put_Line("-------------------------------------------");
-- Benchmarks...
delay Duration(1.0);
Put_Line("Please wait...running startup benchmarks...");
New_Line;
-- Run every test
for i in 1 .. 4 loop
delay Duration(1.0);
-- Printline
Put_Line("Multiplying every number from" &
Long_Integer'Image(rng(i - 1)) &
" to" & Long_Integer'Image(rng(i)));
-- Recursive benchmark
benchmarkRecursive(rng(i - 1), rng(i));
-- Iterative benchmark
benchmarkIterative(rng(i - 1), rng(i));
delay Duration(1.0);
New_Line;
end loop;
loop
-- User input
Put_Line("Enter a positive number (or negative to quit):");
Put("> ");
Get(multiplier);
-- Early termination on negative
if multiplier < 0 then exit; end if;
-- User input again
New_Line;
Put_Line("Enter another one (or negative to quit):");
Put("> ");
Get(multiplicand);
-- Early termination on negative
if multiplicand < 0 then exit; end if;
-- Calculate answers
recursiveAns := russianPeasantRecursive(multiplier, multiplicand);
iterativeAns := russianPeasantIterative(multiplier, multiplicand);
New_Line;
-- Print recursive answer
Put_Line("(recursive)" & Long_Integer'Image(multiplier) & "*" &
Long_Integer'Image(multiplicand) & "=" & Long_Integer'Image(recursiveAns));
-- Print iterative answer
Put_Line("(iterative)" & Long_Integer'Image(multiplier) & "*" &
Long_Integer'Image(multiplicand) & "=" & Long_Integer'Image(iterativeAns));
New_Line;
end loop;
New_Line;
Put_Line("Thanks for using this program!");
end Peasant;
-----------------------------------------------------------------------
|
leo-brewin/adm-bssn-numerical | Ada | 3,116 | adb | -- for the Real type
with Support; use Support;
-- for text io
with Ada.Text_IO; use Ada.Text_IO;
with Support.Strings; use Support.Strings;
-- for data io
with BSSNBase.Data_IO;
-- for parsing of the command line arguments
with Support.RegEx; use Support.RegEx;
with Support.CmdLine; use Support.CmdLine;
-- for evolution of initial data
with BSSNBase; use BSSNBase;
with BSSNBase.Evolve;
with BSSNBase.Runge;
procedure BSSNEvolve is
package Real_IO is new Ada.Text_IO.Float_IO (Real); use Real_IO;
package Integer_IO is new Ada.Text_IO.Integer_IO (Integer); use Integer_IO;
procedure initialize is
re_intg : String := "([-+]?[0-9]+)";
re_real : String := "([-+]?[0-9]*[.]?[0-9]+([eE][-+]?[0-9]+)?)"; -- note counts as 2 groups (1.234(e+56))
re_intg_seq : String := re_intg&"x"&re_intg&"x"&re_intg;
re_real_seq_1 : String := re_real;
re_real_seq_2 : String := re_real&":"&re_real;
re_real_seq_3 : String := re_real&":"&re_real&":"&re_real;
begin
if find_command_arg('h') then
Put_Line (" Usage: bssnevolve [-Cc:cmin] [-pNum] [-PInterval] [-Mmax] [-Ncores] \");
Put_Line (" [-tEndTime] [-Fdt] [-Ddata] [-Oresults] [-h]");
Put_Line (" -Cc:cmin : Set the Courant factor to c with minimum cmin, default: c=0.25, cmin=0.025");
Put_Line (" -pNum : Report results every Num time steps, default: p=10");
Put_Line (" -PInterval : Report results after Interval time, default: P=1000.0");
Put_line (" -Mmax : Halt after max time steps, default: M=1000");
Put_Line (" -NNumCores : Use NumCores on multi-core cpus, default: max. number of cores");
Put_Line (" -tEndTime : Halt at this time, default: t=11.0");
Put_Line (" -Fdt : Force fixed time steps of dt, default: variable time step set by Courant");
Put_Line (" -Ddata : Where to find the initial data, default: data/");
Put_Line (" -Oresults : Where to save the results, default: results/");
Put_Line (" -h : This message.");
Support.Halt (0);
else
courant := grep (read_command_arg ('C',"0.25"),re_real_seq_1,1,fail=>0.25);
courant_min := grep (read_command_arg ('C',"0.25:0.025"),re_real_seq_2,3,fail=>0.025);
print_cycle := read_command_arg ('p',10);
print_time_step := read_command_arg ('P',0.10);
max_loop := read_command_arg ('M',1000);
end_time := read_command_arg ('t',11.0);
constant_time_step := read_command_arg ('F',1.0e66);
end if;
end initialize;
begin
initialize;
echo_command_line;
-- two data formats: must match choice with that in adminitial.adb
-- data in binary format
-- BSSNBase.Data_IO.read_grid;
-- BSSNBase.Data_IO.read_data;
-- data in plain text format
BSSNBase.Data_IO.read_grid_fmt;
BSSNBase.Data_IO.read_data_fmt;
BSSNBase.Evolve.evolve_data;
end BSSNEvolve;
|
reznikmm/matreshka | Ada | 4,713 | ads | ------------------------------------------------------------------------------
-- --
-- Matreshka Project --
-- --
-- Open Document Toolkit --
-- --
-- Runtime Library Component --
-- --
------------------------------------------------------------------------------
-- --
-- Copyright © 2014, Vadim Godunko <[email protected]> --
-- All rights reserved. --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions --
-- are met: --
-- --
-- * Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- --
-- * Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in the --
-- documentation and/or other materials provided with the distribution. --
-- --
-- * Neither the name of the Vadim Godunko, IE nor the names of its --
-- contributors may be used to endorse or promote products derived from --
-- this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED --
-- TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR --
-- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF --
-- LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING --
-- NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS --
-- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
-- $Revision$ $Date$
------------------------------------------------------------------------------
with XML.DOM.Visitors;
with ODF.DOM.Db_Update_Table_Elements;
package Matreshka.ODF_Db.Update_Table_Elements is
type Db_Update_Table_Element_Node is
new Matreshka.ODF_Db.Abstract_Db_Element_Node
and ODF.DOM.Db_Update_Table_Elements.ODF_Db_Update_Table
with null record;
overriding function Create
(Parameters : not null access Matreshka.DOM_Elements.Element_L2_Parameters)
return Db_Update_Table_Element_Node;
overriding function Get_Local_Name
(Self : not null access constant Db_Update_Table_Element_Node)
return League.Strings.Universal_String;
overriding procedure Enter_Node
(Self : not null access Db_Update_Table_Element_Node;
Visitor : in out XML.DOM.Visitors.Abstract_Visitor'Class;
Control : in out XML.DOM.Visitors.Traverse_Control);
overriding procedure Leave_Node
(Self : not null access Db_Update_Table_Element_Node;
Visitor : in out XML.DOM.Visitors.Abstract_Visitor'Class;
Control : in out XML.DOM.Visitors.Traverse_Control);
overriding procedure Visit_Node
(Self : not null access Db_Update_Table_Element_Node;
Iterator : in out XML.DOM.Visitors.Abstract_Iterator'Class;
Visitor : in out XML.DOM.Visitors.Abstract_Visitor'Class;
Control : in out XML.DOM.Visitors.Traverse_Control);
end Matreshka.ODF_Db.Update_Table_Elements;
|
msrLi/portingSources | Ada | 912 | ads | -- Copyright 2011-2014 Free Software Foundation, Inc.
--
-- This program is free software; you can redistribute it and/or modify
-- it under the terms of the GNU General Public License as published by
-- the Free Software Foundation; either version 3 of the License, or
-- (at your option) any later version.
--
-- This program is distributed in the hope that it will be useful,
-- but WITHOUT ANY WARRANTY; without even the implied warranty of
-- MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
-- GNU General Public License for more details.
--
-- You should have received a copy of the GNU General Public License
-- along with this program. If not, see <http://www.gnu.org/licenses/>.
package Pck is
procedure Hello;
procedure There;
-- The name of that procedure needs to be greater (in terms
-- of alphabetical order) than the name of the procedure above.
end Pck;
|
reznikmm/matreshka | Ada | 3,428 | ads | ------------------------------------------------------------------------------
-- --
-- Matreshka Project --
-- --
-- XML Processor --
-- --
-- Runtime Library Component --
-- --
------------------------------------------------------------------------------
-- --
-- Copyright © 2011, Vadim Godunko <[email protected]> --
-- All rights reserved. --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions --
-- are met: --
-- --
-- * Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- --
-- * Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in the --
-- documentation and/or other materials provided with the distribution. --
-- --
-- * Neither the name of the Vadim Godunko, IE nor the names of its --
-- contributors may be used to endorse or promote products derived from --
-- this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED --
-- TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR --
-- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF --
-- LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING --
-- NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS --
-- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
-- $Revision$ $Date$
------------------------------------------------------------------------------
with XML.DOM.Nodes.Elements;
package XML.DOM.Elements renames XML.DOM.Nodes.Elements;
|
reznikmm/matreshka | Ada | 4,664 | adb | ------------------------------------------------------------------------------
-- --
-- Matreshka Project --
-- --
-- Open Document Toolkit --
-- --
-- Runtime Library Component --
-- --
------------------------------------------------------------------------------
-- --
-- Copyright © 2014, Vadim Godunko <[email protected]> --
-- All rights reserved. --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions --
-- are met: --
-- --
-- * Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- --
-- * Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in the --
-- documentation and/or other materials provided with the distribution. --
-- --
-- * Neither the name of the Vadim Godunko, IE nor the names of its --
-- contributors may be used to endorse or promote products derived from --
-- this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED --
-- TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR --
-- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF --
-- LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING --
-- NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS --
-- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
-- $Revision$ $Date$
------------------------------------------------------------------------------
with Matreshka.DOM_Documents;
with Matreshka.ODF_String_Constants;
with ODF.DOM.Iterators;
with ODF.DOM.Visitors;
package body Matreshka.ODF_Chart.Sort_By_X_Values_Attributes is
------------
-- Create --
------------
overriding function Create
(Parameters : not null access Matreshka.DOM_Attributes.Attribute_L2_Parameters)
return Chart_Sort_By_X_Values_Attribute_Node is
begin
return Self : Chart_Sort_By_X_Values_Attribute_Node do
Matreshka.ODF_Chart.Constructors.Initialize
(Self'Unchecked_Access,
Parameters.Document,
Matreshka.ODF_String_Constants.Chart_Prefix);
end return;
end Create;
--------------------
-- Get_Local_Name --
--------------------
overriding function Get_Local_Name
(Self : not null access constant Chart_Sort_By_X_Values_Attribute_Node)
return League.Strings.Universal_String
is
pragma Unreferenced (Self);
begin
return Matreshka.ODF_String_Constants.Sort_By_X_Values_Attribute;
end Get_Local_Name;
begin
Matreshka.DOM_Documents.Register_Attribute
(Matreshka.ODF_String_Constants.Chart_URI,
Matreshka.ODF_String_Constants.Sort_By_X_Values_Attribute,
Chart_Sort_By_X_Values_Attribute_Node'Tag);
end Matreshka.ODF_Chart.Sort_By_X_Values_Attributes;
|
reznikmm/matreshka | Ada | 4,043 | ads | ------------------------------------------------------------------------------
-- --
-- Matreshka Project --
-- --
-- Open Document Toolkit --
-- --
-- Runtime Library Component --
-- --
------------------------------------------------------------------------------
-- --
-- Copyright © 2014, Vadim Godunko <[email protected]> --
-- All rights reserved. --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions --
-- are met: --
-- --
-- * Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- --
-- * Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in the --
-- documentation and/or other materials provided with the distribution. --
-- --
-- * Neither the name of the Vadim Godunko, IE nor the names of its --
-- contributors may be used to endorse or promote products derived from --
-- this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED --
-- TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR --
-- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF --
-- LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING --
-- NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS --
-- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
-- $Revision$ $Date$
------------------------------------------------------------------------------
with ODF.DOM.Style_Language_Asian_Attributes;
package Matreshka.ODF_Style.Language_Asian_Attributes is
type Style_Language_Asian_Attribute_Node is
new Matreshka.ODF_Style.Abstract_Style_Attribute_Node
and ODF.DOM.Style_Language_Asian_Attributes.ODF_Style_Language_Asian_Attribute
with null record;
overriding function Create
(Parameters : not null access Matreshka.DOM_Attributes.Attribute_L2_Parameters)
return Style_Language_Asian_Attribute_Node;
overriding function Get_Local_Name
(Self : not null access constant Style_Language_Asian_Attribute_Node)
return League.Strings.Universal_String;
end Matreshka.ODF_Style.Language_Asian_Attributes;
|
BrickBot/Bound-T-H8-300 | Ada | 20,439 | ads | -- Arithmetic.Algebra (decl)
--
-- Algebraic (symbolic) inspection, manipulation and simplification
-- of arithmetic expressions.
--
-- A component of the Bound-T Worst-Case Execution Time Tool.
--
-------------------------------------------------------------------------------
-- Copyright (c) 1999 .. 2015 Tidorum Ltd
-- All rights reserved.
--
-- Redistribution and use in source and binary forms, with or without
-- modification, are permitted provided that the following conditions are met:
--
-- 1. Redistributions of source code must retain the above copyright notice, this
-- list of conditions and the following disclaimer.
-- 2. Redistributions in binary form must reproduce the above copyright notice,
-- this list of conditions and the following disclaimer in the documentation
-- and/or other materials provided with the distribution.
--
-- This software is provided by the copyright holders and contributors "as is" and
-- any express or implied warranties, including, but not limited to, the implied
-- warranties of merchantability and fitness for a particular purpose are
-- disclaimed. In no event shall the copyright owner or contributors be liable for
-- any direct, indirect, incidental, special, exemplary, or consequential damages
-- (including, but not limited to, procurement of substitute goods or services;
-- loss of use, data, or profits; or business interruption) however caused and
-- on any theory of liability, whether in contract, strict liability, or tort
-- (including negligence or otherwise) arising in any way out of the use of this
-- software, even if advised of the possibility of such damage.
--
-- Other modules (files) of this software composition should contain their
-- own copyright statements, which may have different copyright and usage
-- conditions. The above conditions apply to this file.
-------------------------------------------------------------------------------
--
-- $Revision: 1.13 $
-- $Date: 2015/10/24 19:36:46 $
--
-- $Log: arithmetic-algebra.ads,v $
-- Revision 1.13 2015/10/24 19:36:46 niklas
-- Moved to free licence.
--
-- Revision 1.12 2010-01-02 20:28:07 niklas
-- BT-CH-0211: Corrected operations on Bounded_Sum_T.
--
-- Revision 1.11 2009-11-27 11:28:06 niklas
-- BT-CH-0184: Bit-widths, Word_T, failed modular analysis.
--
-- Revision 1.10 2009/03/04 13:05:07 niklas
-- Corrected Find_Difference (Cell, Expr, ..) to consider the trivial
-- case where the expression is just the cell itself (zero difference).
--
-- Revision 1.9 2008/06/18 20:52:54 niklas
-- BT-CH-0130: Data pointers relative to initial-value cells.
--
-- Revision 1.8 2007/10/12 18:19:25 niklas
-- Added function Plus_Difference, for cleaner updates of coupled
-- cells such as stack-height cells. Added procedure Add_Coupled_Update
-- for such purposes (where Update_Couple does not fit in). Modified
-- Update_Couple to use Add_Coupled_Update. Note that this now uses
-- Plus_Difference instead of Difference.
--
-- Revision 1.7 2007/07/21 18:18:39 niklas
-- BT-CH-0064. Support for AVR/IAR switch-handler analysis.
--
-- Revision 1.6 2007/05/02 09:30:34 niklas
-- Added procedure Find_Difference.
--
-- Revision 1.5 2007/03/09 13:52:22 niklas
-- Added function Difference and procedure Update_Couple to help with
-- coupled cells such as a stack pointer and the local stack height.
--
-- Revision 1.4 2006/08/22 12:42:06 niklas
-- Added functions Same_Offset and Opposite_Offset.
--
-- Revision 1.3 2006/02/27 09:53:00 niklas
-- Added the function Combine_Terms to simplify a given expression
-- by combining similar terms (constant terms and variable terms)
-- both on the top level and in subexpressions.
-- To support Combine_Terms, extended Bounded_Sum_T to detect if
-- the sum contains combined terms or Unknown terms.
-- Changed To_Expr (Bounded_Sum_T) to return Unknown if the
-- sum has an Unknown term.
--
-- Revision 1.2 2005/03/24 18:19:17 niklas
-- Added simplification of affine expressions by combining terms
-- with the same variable (Cell or Ref). This is implemented by the
-- types Bounded_Sum_T, Term_T, Terms_T and the related operations.
--
-- Revision 1.1 2004/04/25 16:54:25 niklas
-- First version.
--
package Arithmetic.Algebra is
--
--- Checking for additions and subtractions of constants (offsets)
--
function Constant_Offset (
From : Storage.Cell_T;
To : Expr_Ref)
return Expr_Ref;
--
-- Checks whether there is a constant offset From a given cell
-- To an expression, that is, whether the To expression is of
-- the form Cell + Offset, where Offset is a constant expression.
-- If To is of this form, the Offset expression is returned,
-- otherwise Unknown is returned.
--
-- Precondition: Storage.Width_Of (From) = To.Width.
function Same_Offset (
From : Storage.Cell_T;
To : Expr_Ref;
Base : Expr_Ref)
return Expr_Ref;
--
-- Checks whether there is an additive or subtractive offset
-- From a given cell To an expression, that is, whether the To
-- expression is of the form From + Offset, From - Offset, or
-- Offset + From, where Offset is any expression. If To is of
-- this form, the same expression is returned with Base instead
-- of From (that is, Base + Offset, Base - Offset, or Offset + Base),
-- otherwise Unknown is returned.
--
-- Precondition: Storage.Width_Of (From) = To.Width.
function Opposite_Offset (
From : Storage.Cell_T;
To : Expr_Ref;
Base : Expr_Ref)
return Expr_Ref;
--
-- Checks whether there is an additive or subtractive offset
-- From a given cell To an expression, that is, whether the To
-- expression is of the form Cell + Offset, Cell - Offset, or
-- Offset + Cell, where Offset is any expression. If To is of
-- this form, the same expression is returned with Base instead
-- of From and the sign of the Offset reversed, that is, the
-- returned expressions are respectively Base - Offset,
-- Base + Offset, or Base - Offset, otherwise Unknown is returned.
--
-- Precondition: Storage.Width_Of (From) = To.Width.
procedure Split_Affine (
Expr : in Expr_Ref;
Addend : out Value_T;
Multiplier : out Value_T;
Multiplicand : out Expr_Ref);
--
-- Splits the given Expr into an expression of the form
--
-- Addend + Multiplier * Multiplicand
--
-- where the Addend and the Multiplier are literal numbers and
-- only the Multiplicand may be a expression.
--
-- If the Expr is not naturally of this form, the Addend is
-- returned as 0 and the Multiplier as 1, with the original
-- Expr returned in Multiplicand.
--
-- If the Expr is a Const(N), then Addend is returned as N and
-- the Multiplier as 0 and the Multiplicand as Arithmetic.Zero.
--
--- Simplification of sums of terms
--
type Term_T is record
Factor : Value_T;
Variable : Expr_Ref;
end record;
--
-- A term in an expression, representing the value Factor * Variable.
--
-- If the Variable is in Variable_T (that is, a cell or a dynamic
-- reference to a cell) then this is a term in a linear (or affine)
-- expression.
--
-- Note that this type is not meant to represent a constant
-- term, although it can do so if the Variable is known to
-- have a constant value.
function "*" (Factor : Value_T; Variable : Expr_Ref) return Term_T;
--
-- The term Factor * Variable.
type Terms_T is array (Positive range <>) of Term_T;
--
-- A list of terms, representing the sum of all the terms.
-- The list is usually in normal form in the sense that no two terms
-- in the list have the same Variable component. That is, all
-- occurrences of the same Variable are collected into one term.
-- The value of an empty list is zero.
type Bounded_Sum_T (Width : Width_T; Max_Terms : Natural) is private;
--
-- An extensible sum of terms with a bounded maximum length.
-- There is also a constant term. There can be opaque terms.
-- The width of the sum, as a binary word, is known a priori.
--
-- The default initial value of an object of this type is the
-- null sum: no variable terms and a zero constant term.
--
-- When a variable term is added to the sum and the same variable
-- term already appears in the, sum the two terms are combined by
-- adding their factors. Likewise, if a constant term is added
-- it is combined with any existing constant term(s).
--
-- If an opaque term is added with a non-zero factor, the whole
-- sum becomes opaque. It then remains opaque. If any terms are
-- added to an opaque sum, or an opaque term is added to a sum
-- that already has some terms, the sum is considered to have
-- "combined terms".
function Not_Null (Sum : Bounded_Sum_T) return Boolean;
--
-- Whether the Sum contains some terms. Note that a sum
-- with some terms is Not_Null even if all the terms have
-- zero factors or a zero value.
function Is_Opaque (Sum : Bounded_Sum_T) return Boolean;
--
-- Whether some opaque terms (with non-zero factors) were
-- added this Sum.
function Is_Combined (Within : Bounded_Sum_T) return Boolean;
--
-- Whether some terms were combined when the given sum was
-- constructed by adding up some terms. Adding something to
-- an opaque sum, or adding an opaque term to a non-null sum,
-- is also considered to "combine" terms.
function Is_Const (Sum : Bounded_Sum_T) return Boolean;
--
-- Whether the Sum has only constant terms (and is not opaque).
-- This includes the case where the Sum has variable terms but
-- only with zero factors. A null is also constant and has
-- the value zero.
function Value (Sum : Bounded_Sum_T) return Word_T;
--
-- The value of a Sum that has only constant terms.
-- Precondition: Is_Const (Sum).
function Signed_Value (Sum : Bounded_Sum_T) return Value_T;
--
-- The value of a Sum that has only constant terms, taken
-- as a signed two's complement value of Sum.Width bits.
-- Precondition: Is_Const (Sum).
procedure Add_Opaque_Term (To : in out Bounded_Sum_T);
--
-- Adds an opaque term to a sum, which makes the sum opaque.
-- If the sum already had some terms, it is now considered to
-- have "combined" terms.
procedure Add (
Const : in Word_T;
To : in out Bounded_Sum_T);
--
-- Adds a constant term to a sum. This is always successful.
-- The constant term is taken to have the same width as the sum.
--
-- If the sum already has constant term(s), these terms are
-- combined. Same if the sum is opaque.
Too_Many_Terms : exception;
--
-- Signals an attempt to add too many terms to a bounded sum.
procedure Add (
Term : in Term_T;
To : in out Bounded_Sum_T);
--
-- Adds a Term To a sum, keeping the sum in normal form by
-- combining the new Term with any existing term that has the
-- same variable.
--
-- Variable identity is defined as follows:
--
-- > Two variables that refer to the same Expr_T object are
-- identical (reference equality).
--
-- > Two variables of type Cell are identical if the Cells
-- are identical (refer to the same Cell_Object_T).
-- This is precise up to aliasing of Cells with different
-- cell-specs.
--
-- > Two variables of type Ref are identical if they refer
-- to the same Boundable_Ref object.
--
-- > Other variables may be identical if they are found to
-- represent the same expression. However, this is not a
-- complete check for expression equivalence.
--
-- If the Term is opaque, the sum becomes opaque.
--
-- If the sum (To) was opaque before the Term is added, it
-- is considered to have "combined terms".
--
-- Note that this procedure does not try to deconstruct the
-- given Term into some more primitive terms. This function
-- is performed by the procedure Add (Expr, To, Rest) defined
-- later below.
--
-- Propagates Too_Many_Terms if the maximum length of the
-- sum is exceeded.
procedure Add (
Terms : in Terms_T;
To : in out Bounded_Sum_T);
--
-- Adds all the Terms to the sum, one by one.
procedure Add (
Sum : in Bounded_Sum_T;
To : in out Bounded_Sum_T);
--
-- Adds one Sum To another sum.
--
-- The result has "combined terms" (in the sense of the function
-- Is_Combined) if Sum has combined terms, or if the initial
-- value of To has combined terms, or if some terms are combined
-- when Sum is added to To.
--
-- The result is opaque if one or both of Sum and To is opaque.
-- In this case the result is also considered to have "combined
-- terms".
procedure Add (
Factor : in Value_T;
Expr : in Expr_Ref;
Term : in Expr_Ref;
To : in out Bounded_Sum_T;
Rest : in out Expr_Ref);
--
-- Adds the expression Factor * Expr To a sum, trying to parse
-- (deconstruct) the given expression into a sum of Cell or Ref terms
-- and keeping the sum in normal form by combining terms with the same
-- variable (Cell or Ref).
--
-- If the given expression is not itself an affine sum, the rest of
-- the expression (perhaps all of it) is added to the Rest parameter.
-- The governing rule is that the expression Factor * Expr + To + Rest,
-- before the addition, is equivalent to the expression To + Rest
-- after the addition.
--
-- If all of the expression Factor * Expr could be added to the sum,
-- Rest is not changed.
--
-- The Term parameter is either null or is the expression Factor * Expr.
-- In some cases this avoids constructing new expressions Factor * Expr
-- when it turns out that the whole expression must be added to Rest.
-- This strange parameter structure is designed to help recursion
-- within the operation.
--
-- Preconditionn:
-- > Expr contains only integer-valued operators, not
-- boolean-valued operators.
-- > The widths of Expr, Term, and Sum are the same.
--
-- Propagates Too_Many_Terms if the maximum length of the
-- sum is exceeded.
function To_Expr (Sum : Bounded_Sum_T) return Expr_Ref;
--
-- The value of the Sum as a general expression, including the
-- constant term (if nonzero) and the variable terms (those with
-- a non-zero Factor).
function To_Expr (
Terms : Terms_T;
Const : Word_T := 0;
Width : Width_T)
return Expr_Ref;
--
-- The value of the expression Const + sum (Terms), where we treat
-- each Term as a general expression, using Add (Factor, Expr, To, Rest))
-- to split the Term into Cell and Ref terms and simplifying the
-- sum by combining terms with the same Cell or Ref. The Width of the
-- result is known a priori.
function Combine_Terms (Expr : Expr_Ref) return Expr_Ref;
--
-- The given expression, with all affine sub-expressions simplified
-- by combining all terms that are multiples of the same variable
-- or the same non-affine sub-expression and all constants that are
-- terms in the same affine sub-expression.
procedure Find_Difference (
From : in Expr_Ref;
To : in Expr_Ref;
Const : out Boolean;
Diff : out Value_T);
--
-- The Difference To - From, if it is Constant. The method is
-- to express To - From as a Bounded_Sum_T and then using the
-- functions Is_Const and Value.
--
-- Precondition: From.Width = To.Width.
procedure Find_Difference (
From : in Storage.Cell_T;
To : in Expr_Ref;
Const : out Boolean;
Diff : out Value_T);
--
-- The Difference To - From, if it is Constant. The method is
-- very incomplete, but safe, and is simply an inspection of
-- the To expression for the forms "From", "From + Const",
-- "Const + From", or "From - (-Const)".
--
-- Precondition: Storage.Width_Of (From) = To.Width.
--
--- Updating cells that change by the same or opposite amounts
--
type Coupling_T is (Same, Opposite);
--
-- Describes the coupling between two cells, the Absolute and the
-- Relative:
--
-- Same
-- When the Absolute changes by D, the Relative also changes by D.
-- Opposite
-- When the Absolute changes by D, the Relative changes by -D.
function Difference (
Var : Variable_T;
Expr : Expr_Ref;
Way : Coupling_T)
return Expr_Ref;
--
-- The difference between the Var and the Expr (usually a new value
-- being assigned to the Var) computed as Expr - Var if Way is Same
-- and Var - Expr if Way is Opposite. We try to simplify the
-- difference by treating it as Terms_T and using To_Expr.
function Plus_Difference (
Base : Variable_T;
Var : Variable_T;
Expr : Expr_Ref;
Way : Coupling_T)
return Expr_Ref;
--
-- The sum of the Base and the difference between the Var and
-- the Expr computed as Expr - Var if Way is Same and Var - Expr
-- if Way is Opposite. We try to simplify the whole expression
-- by treating it as Terms_T and using To_Expr.
procedure Add_Coupled_Update (
Absolute : in Assignment_T;
Relative : in Variable_T;
Coupling : in Coupling_T;
To : in out Assignment_Set_T);
--
-- Given a defining assignment to an Absolute cell, this operation
-- adds the corresponding assignment to the Relative cell so that
-- the Relative cell changes by the Same amount or the Opposite amount
-- as the Absolute cell, as specified by the Coupling.
--
-- Precondition: Absolute.Kind is Regular, Conditional or Fracture.
-- Absolute.Target and Relative are Cell variables, not boundable
-- memory references.
procedure Update_Couple (
Absolute : in Variable_T;
Relative : in Variable_T;
Coupling : in Coupling_T;
Within : in out Assignment_Set_T);
--
-- If the given assignment set contains an assignment to the
-- Absolute cell, this operation adds the corresponding assignment
-- to the Relative cell so that the Relative cells changes by the
-- Same amount or the Opposite amount as the Absolute cell, as
-- specified by the Coupling.
--
-- Precondition: Absolute and Relative are Cell variables, not
-- boundable memory references.
--
--- Finding updates of variables in effects
--
procedure Find_Update (
Target : in Storage.Cell_T;
Within : in Assignment_Set_T;
Found : out Boolean;
Op : out Binary_Op_T;
Other : out Expr_Ref);
--
-- Searches Within the given assignment set for an assignment of
-- the form
--
-- Target := Target Op Other
--
-- and, if Found, returns the Op and the Other operand.
private
type Bounded_Sum_T (Width : Width_T; Max_Terms : Natural) is record
Opaque : Boolean := False;
Has_Const : Boolean := False;
Combined : Boolean := False;
Const : Word_T := 0;
Length : Natural := 0;
Terms : Terms_T (1 .. Max_Terms);
end record;
--
-- A sum of Terms(1 .. Length) and the Const term.
--
-- Opaque
-- Whether some opaque terms have been added (with non-zero
-- factors).
-- Has_Const
-- Whether a constant term has been added to this sum.
-- If not, Const is zero.
-- Combined
-- Whether some terms, added to this sum, have been combined.
-- Const
-- The value of the constant term (if any).
-- Length
-- The number of non-constant terms.
-- Terms
-- The non-constant terms.
--
-- The Terms list (1 .. Length) is in normal form: no two terms
-- have the same variable (see the description of the Add operation
-- for the definition of variable identity).
--
-- A term may have a zero Factor and still be included in the
-- list Terms (1 .. Length).
--
-- Opaque terms are not included in Terms. They are only flagged
-- by the Opaque component.
--
-- The other Terms (Length + 1 .. Max_Terms) are undefined.
end Arithmetic.Algebra;
|
tum-ei-rcs/StratoX | Ada | 313 | ads | package constants with SPARK_Mode is
BUFLEN : constant := 200;
type Arr_T is array (Natural range <>) of Integer;
subtype Data_Type is Arr_T;
subtype UBX_Data is Data_Type (0 .. 91);
UBX_SYNC1 : constant := 16#B5#;
UBX_SYNC2 : constant := 16#62#;
procedure Do_Something;
end constants;
|
thorstel/Advent-of-Code-2018 | Ada | 9,285 | adb | with Ada.Assertions; use Ada.Assertions;
with Ada.Text_IO; use Ada.Text_IO;
with Ada.Containers.Generic_Array_Sort;
with Ada.Containers.Ordered_Sets;
procedure Day24 is
type Damage_Type is (Radiation, Fire, Cold, Slashing, Bludgeoning);
type Army_Type is (Immune_System, Infection);
package DS is new Ada.Containers.Ordered_Sets (Element_Type => Damage_Type);
type Group_Type is record
Allegiance : Army_Type;
Unit_Count : Natural;
Unit_HP : Natural;
Damage : Natural;
Weapon : Damage_Type;
Initiative : Positive;
Is_Targeted : Boolean;
Targets : Natural;
end record;
type Group_Array is array (Positive range <>) of Group_Type;
function Eff_Pow (G : Group_Type) return Natural is
(G.Unit_Count * G.Damage);
function Lesser_Initiative (G1, G2 : Group_Type) return Boolean is
(G1.Initiative < G2.Initiative);
procedure Initiative_Sort is new Ada.Containers.Generic_Array_Sort
(Index_Type => Positive,
Element_Type => Group_Type,
Array_Type => Group_Array,
"<" => Lesser_Initiative);
function Greater_Power (G1, G2 : Group_Type) return Boolean is
(Eff_Pow (G1) > Eff_Pow (G2));
procedure Power_Sort is new Ada.Containers.Generic_Array_Sort
(Index_Type => Positive,
Element_Type => Group_Type,
Array_Type => Group_Array,
"<" => Greater_Power);
Groups : Group_Array (1 .. 20);
Immunities : array (Groups'Range) of DS.Set;
Weaknesses : array (Groups'Range) of DS.Set;
function Get_Damage (A, D : Positive) return Natural is
Damage : Natural := Eff_Pow (Groups (A));
begin
if Immunities (Groups (D).Initiative).Contains (Groups (A).Weapon) then
Damage := 0;
elsif Weaknesses (Groups (D).Initiative).Contains (Groups (A).Weapon)
then
Damage := Damage * 2;
end if;
return Damage;
end Get_Damage;
procedure Reset_Input is
begin
for G in Groups'Range loop
Immunities (G).Clear;
Weaknesses (G).Clear;
end loop;
Groups (16) := (Immune_System, 3020, 3290, 10, Radiation, 16, False, 0);
Groups (9) := (Immune_System, 528, 6169, 113, Fire, 9, False, 0);
Groups (1) := (Immune_System, 4017, 2793, 6, Slashing, 1, False, 0);
Weaknesses (1).Insert (Radiation);
Groups (4) := (Immune_System, 2915, 7735, 26, Cold, 4, False, 0);
Groups (13) := (Immune_System, 3194, 1773, 5, Cold, 13, False, 0);
Immunities (13).Insert (Radiation);
Weaknesses (13).Insert (Fire);
Groups (7) := (Immune_System, 1098, 4711, 36, Radiation, 7, False, 0);
Groups (5) := (Immune_System, 2530, 3347, 12, Bludgeoning, 5, False, 0);
Immunities (5).Insert (Slashing);
Groups (15) := (Immune_System, 216, 7514, 335, Slashing, 15, False, 0);
Immunities (15).Insert (Cold);
Immunities (15).Insert (Slashing);
Weaknesses (15).Insert (Bludgeoning);
Groups (14) := (Immune_System, 8513, 9917, 10, Fire, 14, False, 0);
Immunities (14).Insert (Slashing);
Weaknesses (14).Insert (Cold);
Groups (10) := (Immune_System, 1616, 3771, 19, Bludgeoning, 10, False, 0);
Groups (3) := (Infection, 1906, 37289, 28, Radiation, 3, False, 0);
Immunities (3).Insert (Radiation);
Weaknesses (3).Insert (Fire);
Groups (18) := (Infection, 6486, 32981, 9, Bludgeoning, 18, False, 0);
Groups (6) := (Infection, 489, 28313, 110, Bludgeoning, 6, False, 0);
Immunities (6).Insert (Radiation);
Immunities (6).Insert (Bludgeoning);
Groups (12) := (Infection, 1573, 44967, 42, Slashing, 12, False, 0);
Weaknesses (12).Insert (Bludgeoning);
Weaknesses (12).Insert (Cold);
Groups (2) := (Infection, 2814, 11032, 7, Slashing, 2, False, 0);
Immunities (2).Insert (Fire);
Immunities (2).Insert (Slashing);
Weaknesses (2).Insert (Radiation);
Groups (19) := (Infection, 1588, 18229, 20, Radiation, 19, False, 0);
Weaknesses (19).Insert (Slashing);
Immunities (19).Insert (Radiation);
Immunities (19).Insert (Cold);
Groups (20) := (Infection, 608, 39576, 116, Slashing, 20, False, 0);
Immunities (20).Insert (Bludgeoning);
Groups (8) := (Infection, 675, 48183, 138, Slashing, 8, False, 0);
Immunities (8).Insert (Cold);
Immunities (8).Insert (Slashing);
Immunities (8).Insert (Bludgeoning);
Groups (17) := (Infection, 685, 11702, 32, Fire, 17, False, 0);
Groups (11) := (Infection, 1949, 32177, 32, Radiation, 11, False, 0);
Assert (for all I in Groups'Range => I = Groups (I).Initiative);
end Reset_Input;
-- Returns True if immune system wins. False if the infection wins or
-- if the battle would go on forever (only immune units left).
function Perform_Battle (Boost : Natural) return Boolean is
begin
Reset_Input;
for G in Groups'Range loop
if Groups (G).Allegiance = Immune_System then
Groups (G).Damage := Groups (G).Damage + Boost;
end if;
end loop;
Battle_Loop :
loop
-- Reset meta info
for G in Groups'Range loop
Groups (G).Targets := 0;
Groups (G).Is_Targeted := False;
end loop;
-- Target Phase
Power_Sort (Groups);
for G in Groups'Range loop
if Groups (G).Unit_Count > 0 then
declare
Damage : Natural;
Max_Damage : Natural := 0;
Target : Natural := 0;
begin
for E in Groups'Range loop
if Groups (G).Allegiance /= Groups (E).Allegiance and
Groups (E).Unit_Count > 0 and
not Groups (E).Is_Targeted
then
Damage := Get_Damage (G, E);
if Damage > Max_Damage then
Max_Damage := Damage;
Target := E;
elsif Damage = Max_Damage and Target > 0 then
if Eff_Pow (Groups (Target)) = Eff_Pow (Groups (E)) and
Groups (E).Initiative > Groups (Target).Initiative
then
Target := E;
end if;
end if;
end if;
end loop;
if Target > 0 then
Groups (Target).Is_Targeted := True;
-- Note: After sorting with Initiative_Sort, the
-- value stored in 'Targets' will be the index of
-- the target.
Groups (G).Targets := Groups (Target).Initiative;
end if;
end;
end if;
end loop;
-- Attack Phase
Initiative_Sort (Groups);
declare
G : Natural := Groups'Last;
Fighting : Boolean := False;
begin
-- Note: We sort in ascending order and iterate from the end
-- for the 'Targets' trick above to work.
while G > 0 loop
if Groups (G).Unit_Count > 0 and Groups (G).Targets > 0 then
declare
E : constant Positive := Groups (G).Targets;
Damage : constant Natural := Get_Damage (G, E);
Losses : constant Natural := Damage / Groups (E).Unit_HP;
begin
if Losses > Groups (E).Unit_Count then
Groups (E).Unit_Count := 0;
else
Groups (E).Unit_Count :=
Groups (E).Unit_Count - Losses;
end if;
if Losses > 0 then
Fighting := True;
end if;
end;
end if;
G := G - 1;
end loop;
exit Battle_Loop when not Fighting;
end;
end loop Battle_Loop;
-- Determine if the immune system has won.
for G in Groups'Range loop
if Groups (G).Unit_Count > 0 and Groups (G).Allegiance = Infection
then
return False;
end if;
end loop;
return True;
end Perform_Battle;
function Count_Alive return Natural is
Total_Units : Natural := 0;
begin
for G in Groups'Range loop
if Groups (G).Unit_Count > 0 then
Total_Units := Total_Units + Groups (G).Unit_Count;
end if;
end loop;
return Total_Units;
end Count_Alive;
begin
-- Part 1
Assert (Perform_Battle (0) = False);
Put_Line ("Part 1 =" & Natural'Image (Count_Alive));
-- Part 2
declare
Boost : Natural := 1;
begin
while not Perform_Battle (Boost) loop
Boost := Boost + 1;
end loop;
Put_Line ("Part 2 =" & Natural'Image (Count_Alive));
end;
end Day24;
|
BrickBot/Bound-T-H8-300 | Ada | 4,169 | ads | -- Topo_Sort (decl)
--
-- Topological sorting.
-- Reference: D.Knuth, Fundamental Algorithms, 1969, page 259.
-- Author: Niklas Holsti, Space Systems Finland, 2000.
--
-- A component of the Bound-T Worst-Case Execution Time Tool.
--
-------------------------------------------------------------------------------
-- Copyright (c) 1999 .. 2015 Tidorum Ltd
-- All rights reserved.
--
-- Redistribution and use in source and binary forms, with or without
-- modification, are permitted provided that the following conditions are met:
--
-- 1. Redistributions of source code must retain the above copyright notice, this
-- list of conditions and the following disclaimer.
-- 2. Redistributions in binary form must reproduce the above copyright notice,
-- this list of conditions and the following disclaimer in the documentation
-- and/or other materials provided with the distribution.
--
-- This software is provided by the copyright holders and contributors "as is" and
-- any express or implied warranties, including, but not limited to, the implied
-- warranties of merchantability and fitness for a particular purpose are
-- disclaimed. In no event shall the copyright owner or contributors be liable for
-- any direct, indirect, incidental, special, exemplary, or consequential damages
-- (including, but not limited to, procurement of substitute goods or services;
-- loss of use, data, or profits; or business interruption) however caused and
-- on any theory of liability, whether in contract, strict liability, or tort
-- (including negligence or otherwise) arising in any way out of the use of this
-- software, even if advised of the possibility of such damage.
--
-- Other modules (files) of this software composition should contain their
-- own copyright statements, which may have different copyright and usage
-- conditions. The above conditions apply to this file.
-------------------------------------------------------------------------------
--
-- $Revision: 1.4 $
-- $Date: 2015/10/24 19:36:53 $
--
-- $Log: topo_sort.ads,v $
-- Revision 1.4 2015/10/24 19:36:53 niklas
-- Moved to free licence.
--
-- Revision 1.3 2004-04-25 07:53:26 niklas
-- First Tidorum version. Handling duplicates.
--
-- Revision 1.2 2000/07/12 20:41:24 holsti
-- Added Elements parameter for disconnected or singleton graphs.
--
-- Revision 1.1 2000/05/07 12:40:02 holsti
-- First version
--
generic
type Element is private;
type Pair is private;
type Element_List is array (Positive range <>) of Element;
type Pair_List is array (Positive range <>) of Pair;
with function Lesser (P : Pair) return Element;
with function Greater (P : Pair) return Element;
function Topo_Sort (
Elements : Element_List;
Pairs : Pair_List)
return Element_List;
--
-- Topological sorting of a directed, acyclic graph.
--
-- The lists of Elements and Pairs define a directed graph as follows:
--
-- > The nodes of the graph are the Lesser and Greater elements of
-- all the pairs (a given element will usually occur in many pairs)
-- plus all the listed Elements.
--
-- > The arcs of the graph correspond exactly to the given pairs:
-- the pair P defines an arc from Lesser(P) to Greater(P).
--
-- It is assumed that the graph is acyclic.
--
-- The Elements list need not contain all, or even any elements,
-- if the missing elements are present in the Pairs list as
-- Lesser or Greater elements of some pair.
--
-- The result V of Topo_Sort is a vector of elements which contains
-- all the elements (nodes) in the graph (without duplication) in
-- an order that agrees with all the given pairs. In other words,
-- for any input pair P, the index of Lesser(P) in V is less than
-- the index of Greater(P).
--
-- If (contrary to assumption) the graph contains a cycle, then
-- the elements in the cycle, and any direct or indirect successor
-- elements will be missing from the result of Topo_Sort. If all
-- elements belong to cycles or are successors of cycle elements,
-- the result of Topo_Sort will be a null vector.
--
-- The Elements and Pairs lists may contain duplicates. The result
-- of Topo_Sort does not contain duplicates.
|
reznikmm/matreshka | Ada | 12,342 | adb | ------------------------------------------------------------------------------
-- --
-- Matreshka Project --
-- --
-- Ada Modeling Framework --
-- --
-- Runtime Library Component --
-- --
------------------------------------------------------------------------------
-- --
-- Copyright © 2012, Vadim Godunko <[email protected]> --
-- All rights reserved. --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions --
-- are met: --
-- --
-- * Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- --
-- * Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in the --
-- documentation and/or other materials provided with the distribution. --
-- --
-- * Neither the name of the Vadim Godunko, IE nor the names of its --
-- contributors may be used to endorse or promote products derived from --
-- this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED --
-- TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR --
-- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF --
-- LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING --
-- NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS --
-- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
-- $Revision$ $Date$
------------------------------------------------------------------------------
with AMF.Elements;
with AMF.Internals.Helpers;
with AMF.Internals.Tables.UML_Attributes;
with AMF.Visitors.UMLDI_Iterators;
with AMF.Visitors.UMLDI_Visitors;
with League.Strings.Internals;
package body AMF.Internals.UMLDI_UML_Stereotype_Property_Value_Labels is
-----------------------
-- Get_Model_Element --
-----------------------
overriding function Get_Model_Element
(Self : not null access constant UMLDI_UML_Stereotype_Property_Value_Label_Proxy)
return AMF.UML.Properties.UML_Property_Access is
begin
return
AMF.UML.Properties.UML_Property_Access
(AMF.Internals.Helpers.To_Element
(AMF.Internals.Tables.UML_Attributes.Internal_Get_Model_Element
(Self.Element)));
end Get_Model_Element;
-----------------------
-- Set_Model_Element --
-----------------------
overriding procedure Set_Model_Element
(Self : not null access UMLDI_UML_Stereotype_Property_Value_Label_Proxy;
To : AMF.UML.Properties.UML_Property_Access) is
begin
raise Program_Error;
-- AMF.Internals.Tables.UML_Attributes.Internal_Set_Model_Element
-- (Self.Element,
-- AMF.Internals.Helpers.To_Element
-- (AMF.Elements.Element_Access (To)));
end Set_Model_Element;
-----------------------------
-- Get_Stereotyped_Element --
-----------------------------
overriding function Get_Stereotyped_Element
(Self : not null access constant UMLDI_UML_Stereotype_Property_Value_Label_Proxy)
return AMF.UML.Elements.UML_Element_Access is
begin
return
AMF.UML.Elements.UML_Element_Access
(AMF.Internals.Helpers.To_Element
(AMF.Internals.Tables.UML_Attributes.Internal_Get_Stereotyped_Element
(Self.Element)));
end Get_Stereotyped_Element;
-----------------------------
-- Set_Stereotyped_Element --
-----------------------------
overriding procedure Set_Stereotyped_Element
(Self : not null access UMLDI_UML_Stereotype_Property_Value_Label_Proxy;
To : AMF.UML.Elements.UML_Element_Access) is
begin
AMF.Internals.Tables.UML_Attributes.Internal_Set_Stereotyped_Element
(Self.Element,
AMF.Internals.Helpers.To_Element
(AMF.Elements.Element_Access (To)));
end Set_Stereotyped_Element;
--------------
-- Get_Text --
--------------
overriding function Get_Text
(Self : not null access constant UMLDI_UML_Stereotype_Property_Value_Label_Proxy)
return League.Strings.Universal_String is
begin
null;
return
League.Strings.Internals.Create
(AMF.Internals.Tables.UML_Attributes.Internal_Get_Text (Self.Element));
end Get_Text;
--------------
-- Set_Text --
--------------
overriding procedure Set_Text
(Self : not null access UMLDI_UML_Stereotype_Property_Value_Label_Proxy;
To : League.Strings.Universal_String) is
begin
AMF.Internals.Tables.UML_Attributes.Internal_Set_Text
(Self.Element,
League.Strings.Internals.Internal (To));
end Set_Text;
-----------------
-- Get_Is_Icon --
-----------------
overriding function Get_Is_Icon
(Self : not null access constant UMLDI_UML_Stereotype_Property_Value_Label_Proxy)
return Boolean is
begin
return
AMF.Internals.Tables.UML_Attributes.Internal_Get_Is_Icon
(Self.Element);
end Get_Is_Icon;
-----------------
-- Set_Is_Icon --
-----------------
overriding procedure Set_Is_Icon
(Self : not null access UMLDI_UML_Stereotype_Property_Value_Label_Proxy;
To : Boolean) is
begin
AMF.Internals.Tables.UML_Attributes.Internal_Set_Is_Icon
(Self.Element, To);
end Set_Is_Icon;
---------------------
-- Get_Local_Style --
---------------------
overriding function Get_Local_Style
(Self : not null access constant UMLDI_UML_Stereotype_Property_Value_Label_Proxy)
return AMF.UMLDI.UML_Styles.UMLDI_UML_Style_Access is
begin
return
AMF.UMLDI.UML_Styles.UMLDI_UML_Style_Access
(AMF.Internals.Helpers.To_Element
(AMF.Internals.Tables.UML_Attributes.Internal_Get_Local_Style
(Self.Element)));
end Get_Local_Style;
---------------------
-- Set_Local_Style --
---------------------
overriding procedure Set_Local_Style
(Self : not null access UMLDI_UML_Stereotype_Property_Value_Label_Proxy;
To : AMF.UMLDI.UML_Styles.UMLDI_UML_Style_Access) is
begin
AMF.Internals.Tables.UML_Attributes.Internal_Set_Local_Style
(Self.Element,
AMF.Internals.Helpers.To_Element
(AMF.Elements.Element_Access (To)));
end Set_Local_Style;
-----------------------
-- Get_Model_Element --
-----------------------
overriding function Get_Model_Element
(Self : not null access constant UMLDI_UML_Stereotype_Property_Value_Label_Proxy)
return AMF.UML.Elements.Collections.Set_Of_UML_Element is
begin
raise Program_Error;
return X : AMF.UML.Elements.Collections.Set_Of_UML_Element;
-- return
-- AMF.UML.Elements.Collections.Wrap
-- (AMF.Internals.Element_Collections.Wrap
-- (AMF.Internals.Tables.UML_Attributes.Internal_Get_Model_Element
-- (Self.Element)));
end Get_Model_Element;
-----------------------
-- Get_Model_Element --
-----------------------
overriding function Get_Model_Element
(Self : not null access constant UMLDI_UML_Stereotype_Property_Value_Label_Proxy)
return AMF.CMOF.Elements.CMOF_Element_Access is
begin
return
AMF.CMOF.Elements.CMOF_Element_Access
(AMF.Internals.Helpers.To_Element
(AMF.Internals.Tables.UML_Attributes.Internal_Get_Model_Element
(Self.Element)));
end Get_Model_Element;
---------------------
-- Get_Local_Style --
---------------------
overriding function Get_Local_Style
(Self : not null access constant UMLDI_UML_Stereotype_Property_Value_Label_Proxy)
return AMF.DI.Styles.DI_Style_Access is
begin
return
AMF.DI.Styles.DI_Style_Access
(AMF.Internals.Helpers.To_Element
(AMF.Internals.Tables.UML_Attributes.Internal_Get_Local_Style
(Self.Element)));
end Get_Local_Style;
---------------------
-- Set_Local_Style --
---------------------
overriding procedure Set_Local_Style
(Self : not null access UMLDI_UML_Stereotype_Property_Value_Label_Proxy;
To : AMF.DI.Styles.DI_Style_Access) is
begin
AMF.Internals.Tables.UML_Attributes.Internal_Set_Local_Style
(Self.Element,
AMF.Internals.Helpers.To_Element
(AMF.Elements.Element_Access (To)));
end Set_Local_Style;
-------------------
-- Enter_Element --
-------------------
overriding procedure Enter_Element
(Self : not null access constant UMLDI_UML_Stereotype_Property_Value_Label_Proxy;
Visitor : in out AMF.Visitors.Abstract_Visitor'Class;
Control : in out AMF.Visitors.Traverse_Control) is
begin
if Visitor in AMF.Visitors.UMLDI_Visitors.UMLDI_Visitor'Class then
AMF.Visitors.UMLDI_Visitors.UMLDI_Visitor'Class
(Visitor).Enter_UML_Stereotype_Property_Value_Label
(AMF.UMLDI.UML_Stereotype_Property_Value_Labels.UMLDI_UML_Stereotype_Property_Value_Label_Access (Self),
Control);
end if;
end Enter_Element;
-------------------
-- Leave_Element --
-------------------
overriding procedure Leave_Element
(Self : not null access constant UMLDI_UML_Stereotype_Property_Value_Label_Proxy;
Visitor : in out AMF.Visitors.Abstract_Visitor'Class;
Control : in out AMF.Visitors.Traverse_Control) is
begin
if Visitor in AMF.Visitors.UMLDI_Visitors.UMLDI_Visitor'Class then
AMF.Visitors.UMLDI_Visitors.UMLDI_Visitor'Class
(Visitor).Leave_UML_Stereotype_Property_Value_Label
(AMF.UMLDI.UML_Stereotype_Property_Value_Labels.UMLDI_UML_Stereotype_Property_Value_Label_Access (Self),
Control);
end if;
end Leave_Element;
-------------------
-- Visit_Element --
-------------------
overriding procedure Visit_Element
(Self : not null access constant UMLDI_UML_Stereotype_Property_Value_Label_Proxy;
Iterator : in out AMF.Visitors.Abstract_Iterator'Class;
Visitor : in out AMF.Visitors.Abstract_Visitor'Class;
Control : in out AMF.Visitors.Traverse_Control) is
begin
if Iterator in AMF.Visitors.UMLDI_Iterators.UMLDI_Iterator'Class then
AMF.Visitors.UMLDI_Iterators.UMLDI_Iterator'Class
(Iterator).Visit_UML_Stereotype_Property_Value_Label
(Visitor,
AMF.UMLDI.UML_Stereotype_Property_Value_Labels.UMLDI_UML_Stereotype_Property_Value_Label_Access (Self),
Control);
end if;
end Visit_Element;
end AMF.Internals.UMLDI_UML_Stereotype_Property_Value_Labels;
|
MinimSecure/unum-sdk | Ada | 1,174 | adb | -- Copyright 2014-2016 Free Software Foundation, Inc.
--
-- This program is free software; you can redistribute it and/or modify
-- it under the terms of the GNU General Public License as published by
-- the Free Software Foundation; either version 3 of the License, or
-- (at your option) any later version.
--
-- This program is distributed in the hope that it will be useful,
-- but WITHOUT ANY WARRANTY; without even the implied warranty of
-- MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
-- GNU General Public License for more details.
--
-- You should have received a copy of the GNU General Public License
-- along with this program. If not, see <http://www.gnu.org/licenses/>.
with Pck; use Pck;
procedure Foo_n207_004 is
Full : Full_Table := (False, True, False, True, False);
Prim : Primary_Table := (True, False, False);
Cold : Variable_Table := (Green => False, Blue => True, White => True);
Vars : Variable_Table := New_Variable_Table (Low => Red, High => Green);
begin
Do_Nothing (Full'Address); -- STOP
Do_Nothing (Prim'Address);
Do_Nothing (Cold'Address);
Do_Nothing (Vars'Address);
end Foo_n207_004;
|
AdaCore/ada-traits-containers | Ada | 2,648 | ads | --
-- Copyright (C) 2015-2016, AdaCore
--
-- SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
--
-- This package provides support for unbounded lists.
-- All nodes are allocated on the heap.
pragma Ada_2012;
with Conts.Elements;
generic
with package Elements is new Conts.Elements.Traits (<>);
type Container_Base_Type is abstract tagged limited private;
-- The base type for these unbounded list.
with package Pool is new Conts.Pools (<>);
-- The storage pool used for nodes.
package Conts.Lists.Storage.Unbounded with SPARK_Mode => Off is
pragma Assertion_Policy
(Pre => Suppressible, Ghost => Suppressible, Post => Ignore);
subtype Nodes_Container is Container_Base_Type;
type Node;
type Node_Access is access Node;
for Node_Access'Storage_Pool use Pool.Pool;
-- ??? Compiler crashes if we make this type private
type Node is record
Element : Elements.Stored_Type;
Previous, Next : Node_Access;
end record;
procedure Allocate
(Self : in out Nodes_Container'Class;
Element : Elements.Stored_Type;
N : out Node_Access)
with Inline;
procedure Release_Node
(Self : in out Nodes_Container'Class; N : in out Node_Access);
function Get_Element
(Self : Nodes_Container'Class; N : Node_Access)
return Elements.Stored_Type
with Inline;
function Get_Next
(Self : Nodes_Container'Class; N : Node_Access) return Node_Access
with Inline;
function Get_Previous
(Self : Nodes_Container'Class; N : Node_Access) return Node_Access
with Inline;
procedure Set_Previous
(Self : in out Nodes_Container'Class; N, Previous : Node_Access)
with Inline;
procedure Set_Next
(Self : in out Nodes_Container'Class; N, Next : Node_Access)
with Inline;
procedure Set_Element
(Self : in out Nodes_Container'Class;
N : Node_Access;
E : Elements.Stored_Type)
with Inline;
function Capacity (Self : Nodes_Container'Class) return Count_Type
is (Count_Type'Last) with Inline;
procedure Assign
(Nodes : in out Nodes_Container'Class;
Source : Nodes_Container'Class;
New_Head : out Node_Access;
Old_Head : Node_Access;
New_Tail : out Node_Access;
Old_Tail : Node_Access);
package Traits is new Conts.Lists.Storage.Traits
(Elements => Elements,
Container => Nodes_Container,
Node_Access => Node_Access,
Null_Access => null,
Allocate => Allocate,
Release_Node => Release_Node);
end Conts.Lists.Storage.Unbounded;
|
ekoeppen/STM32_Generic_Ada_Drivers | Ada | 9,653 | ads | -- This spec has been automatically generated from STM32F0xx.svd
pragma Restrictions (No_Elaboration_Code);
pragma Ada_2012;
pragma Style_Checks (Off);
with System;
package STM32_SVD.EXTI is
pragma Preelaborate;
---------------
-- Registers --
---------------
-- IMR_MR array element
subtype IMR_MR_Element is STM32_SVD.Bit;
-- IMR_MR array
type IMR_MR_Field_Array is array (0 .. 27) of IMR_MR_Element
with Component_Size => 1, Size => 28;
-- Type definition for IMR_MR
type IMR_MR_Field
(As_Array : Boolean := False)
is record
case As_Array is
when False =>
-- MR as a value
Val : STM32_SVD.UInt28;
when True =>
-- MR as an array
Arr : IMR_MR_Field_Array;
end case;
end record
with Unchecked_Union, Size => 28;
for IMR_MR_Field use record
Val at 0 range 0 .. 27;
Arr at 0 range 0 .. 27;
end record;
-- Interrupt mask register (EXTI_IMR)
type IMR_Register is record
-- Interrupt Mask on line 0
MR : IMR_MR_Field := (As_Array => False, Val => 16#0#);
-- unspecified
Reserved_28_31 : STM32_SVD.UInt4 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for IMR_Register use record
MR at 0 range 0 .. 27;
Reserved_28_31 at 0 range 28 .. 31;
end record;
-- EMR_MR array element
subtype EMR_MR_Element is STM32_SVD.Bit;
-- EMR_MR array
type EMR_MR_Field_Array is array (0 .. 27) of EMR_MR_Element
with Component_Size => 1, Size => 28;
-- Type definition for EMR_MR
type EMR_MR_Field
(As_Array : Boolean := False)
is record
case As_Array is
when False =>
-- MR as a value
Val : STM32_SVD.UInt28;
when True =>
-- MR as an array
Arr : EMR_MR_Field_Array;
end case;
end record
with Unchecked_Union, Size => 28;
for EMR_MR_Field use record
Val at 0 range 0 .. 27;
Arr at 0 range 0 .. 27;
end record;
-- Event mask register (EXTI_EMR)
type EMR_Register is record
-- Event Mask on line 0
MR : EMR_MR_Field := (As_Array => False, Val => 16#0#);
-- unspecified
Reserved_28_31 : STM32_SVD.UInt4 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for EMR_Register use record
MR at 0 range 0 .. 27;
Reserved_28_31 at 0 range 28 .. 31;
end record;
-- RTSR_TR array element
subtype RTSR_TR_Element is STM32_SVD.Bit;
-- RTSR_TR array
type RTSR_TR_Field_Array is array (0 .. 17) of RTSR_TR_Element
with Component_Size => 1, Size => 18;
-- Type definition for RTSR_TR
type RTSR_TR_Field
(As_Array : Boolean := False)
is record
case As_Array is
when False =>
-- TR as a value
Val : STM32_SVD.UInt18;
when True =>
-- TR as an array
Arr : RTSR_TR_Field_Array;
end case;
end record
with Unchecked_Union, Size => 18;
for RTSR_TR_Field use record
Val at 0 range 0 .. 17;
Arr at 0 range 0 .. 17;
end record;
subtype RTSR_TR19_Field is STM32_SVD.Bit;
-- Rising Trigger selection register (EXTI_RTSR)
type RTSR_Register is record
-- Rising trigger event configuration of line 0
TR : RTSR_TR_Field := (As_Array => False, Val => 16#0#);
-- unspecified
Reserved_18_18 : STM32_SVD.Bit := 16#0#;
-- Rising trigger event configuration of line 19
TR19 : RTSR_TR19_Field := 16#0#;
-- unspecified
Reserved_20_31 : STM32_SVD.UInt12 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for RTSR_Register use record
TR at 0 range 0 .. 17;
Reserved_18_18 at 0 range 18 .. 18;
TR19 at 0 range 19 .. 19;
Reserved_20_31 at 0 range 20 .. 31;
end record;
-- FTSR_TR array element
subtype FTSR_TR_Element is STM32_SVD.Bit;
-- FTSR_TR array
type FTSR_TR_Field_Array is array (0 .. 17) of FTSR_TR_Element
with Component_Size => 1, Size => 18;
-- Type definition for FTSR_TR
type FTSR_TR_Field
(As_Array : Boolean := False)
is record
case As_Array is
when False =>
-- TR as a value
Val : STM32_SVD.UInt18;
when True =>
-- TR as an array
Arr : FTSR_TR_Field_Array;
end case;
end record
with Unchecked_Union, Size => 18;
for FTSR_TR_Field use record
Val at 0 range 0 .. 17;
Arr at 0 range 0 .. 17;
end record;
subtype FTSR_TR19_Field is STM32_SVD.Bit;
-- Falling Trigger selection register (EXTI_FTSR)
type FTSR_Register is record
-- Falling trigger event configuration of line 0
TR : FTSR_TR_Field := (As_Array => False, Val => 16#0#);
-- unspecified
Reserved_18_18 : STM32_SVD.Bit := 16#0#;
-- Falling trigger event configuration of line 19
TR19 : FTSR_TR19_Field := 16#0#;
-- unspecified
Reserved_20_31 : STM32_SVD.UInt12 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for FTSR_Register use record
TR at 0 range 0 .. 17;
Reserved_18_18 at 0 range 18 .. 18;
TR19 at 0 range 19 .. 19;
Reserved_20_31 at 0 range 20 .. 31;
end record;
-- SWIER array element
subtype SWIER_Element is STM32_SVD.Bit;
-- SWIER array
type SWIER_Field_Array is array (0 .. 17) of SWIER_Element
with Component_Size => 1, Size => 18;
-- Type definition for SWIER
type SWIER_Field
(As_Array : Boolean := False)
is record
case As_Array is
when False =>
-- SWIER as a value
Val : STM32_SVD.UInt18;
when True =>
-- SWIER as an array
Arr : SWIER_Field_Array;
end case;
end record
with Unchecked_Union, Size => 18;
for SWIER_Field use record
Val at 0 range 0 .. 17;
Arr at 0 range 0 .. 17;
end record;
subtype SWIER_SWIER19_Field is STM32_SVD.Bit;
-- Software interrupt event register (EXTI_SWIER)
type SWIER_Register is record
-- Software Interrupt on line 0
SWIER : SWIER_Field := (As_Array => False, Val => 16#0#);
-- unspecified
Reserved_18_18 : STM32_SVD.Bit := 16#0#;
-- Software Interrupt on line 19
SWIER19 : SWIER_SWIER19_Field := 16#0#;
-- unspecified
Reserved_20_31 : STM32_SVD.UInt12 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for SWIER_Register use record
SWIER at 0 range 0 .. 17;
Reserved_18_18 at 0 range 18 .. 18;
SWIER19 at 0 range 19 .. 19;
Reserved_20_31 at 0 range 20 .. 31;
end record;
-- PR array element
subtype PR_Element is STM32_SVD.Bit;
-- PR array
type PR_Field_Array is array (0 .. 17) of PR_Element
with Component_Size => 1, Size => 18;
-- Type definition for PR
type PR_Field
(As_Array : Boolean := False)
is record
case As_Array is
when False =>
-- PR as a value
Val : STM32_SVD.UInt18;
when True =>
-- PR as an array
Arr : PR_Field_Array;
end case;
end record
with Unchecked_Union, Size => 18;
for PR_Field use record
Val at 0 range 0 .. 17;
Arr at 0 range 0 .. 17;
end record;
subtype PR_PR19_Field is STM32_SVD.Bit;
-- Pending register (EXTI_PR)
type PR_Register is record
-- Pending bit 0
PR : PR_Field := (As_Array => False, Val => 16#0#);
-- unspecified
Reserved_18_18 : STM32_SVD.Bit := 16#0#;
-- Pending bit 19
PR19 : PR_PR19_Field := 16#0#;
-- unspecified
Reserved_20_31 : STM32_SVD.UInt12 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for PR_Register use record
PR at 0 range 0 .. 17;
Reserved_18_18 at 0 range 18 .. 18;
PR19 at 0 range 19 .. 19;
Reserved_20_31 at 0 range 20 .. 31;
end record;
-----------------
-- Peripherals --
-----------------
-- External interrupt/event controller
type EXTI_Peripheral is record
-- Interrupt mask register (EXTI_IMR)
IMR : aliased IMR_Register;
-- Event mask register (EXTI_EMR)
EMR : aliased EMR_Register;
-- Rising Trigger selection register (EXTI_RTSR)
RTSR : aliased RTSR_Register;
-- Falling Trigger selection register (EXTI_FTSR)
FTSR : aliased FTSR_Register;
-- Software interrupt event register (EXTI_SWIER)
SWIER : aliased SWIER_Register;
-- Pending register (EXTI_PR)
PR : aliased PR_Register;
end record
with Volatile;
for EXTI_Peripheral use record
IMR at 16#0# range 0 .. 31;
EMR at 16#4# range 0 .. 31;
RTSR at 16#8# range 0 .. 31;
FTSR at 16#C# range 0 .. 31;
SWIER at 16#10# range 0 .. 31;
PR at 16#14# range 0 .. 31;
end record;
-- External interrupt/event controller
EXTI_Periph : aliased EXTI_Peripheral
with Import, Address => System'To_Address (16#40010400#);
end STM32_SVD.EXTI;
|
reznikmm/matreshka | Ada | 3,664 | ads | ------------------------------------------------------------------------------
-- --
-- Matreshka Project --
-- --
-- Open Document Toolkit --
-- --
-- Runtime Library Component --
-- --
------------------------------------------------------------------------------
-- --
-- Copyright © 2014, Vadim Godunko <[email protected]> --
-- All rights reserved. --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions --
-- are met: --
-- --
-- * Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- --
-- * Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in the --
-- documentation and/or other materials provided with the distribution. --
-- --
-- * Neither the name of the Vadim Godunko, IE nor the names of its --
-- contributors may be used to endorse or promote products derived from --
-- this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED --
-- TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR --
-- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF --
-- LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING --
-- NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS --
-- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
-- $Revision$ $Date$
------------------------------------------------------------------------------
with XML.DOM.Elements;
package ODF.DOM.Office_Script_Elements is
pragma Preelaborate;
type ODF_Office_Script is limited interface
and XML.DOM.Elements.DOM_Element;
type ODF_Office_Script_Access is
access all ODF_Office_Script'Class
with Storage_Size => 0;
end ODF.DOM.Office_Script_Elements;
|
sebsgit/textproc | Ada | 4,052 | adb | with Ada.Unchecked_Deallocation;
with Tensor; use Tensor;
with MathUtils;
package body NN2 is
function Do_RELU(x: Float) return Float is
begin
return Float'Max(0.0, x);
end Do_RELU;
function Do_LOGISTIC(x: Float) return Float is
begin
return 1.0 / (1.0 + MathUtils.F.Exp(-x));
end Do_LOGISTIC;
function Do_RELU_Derivate(x: Float) return Float is
begin
if x > 0.0 then
return 1.0;
else
return 0.0;
end if;
end Do_RELU_Derivate;
function Do_LOGISTIC_Derivate(x: Float) return Float is
logistic_res: constant Float := Do_LOGISTIC(x);
begin
return x * (1.0 - x);
end Do_LOGISTIC_Derivate;
function activate(val: in Tensor.Var; act: in Activation) return Tensor.Var is
result: Tensor.Var := val;
begin
if act = RELU then
result.Apply(Do_RELU'Access);
elsif act = LOGISTIC then
result.Apply(Do_LOGISTIC'Access);
else
null;
end if;
return result;
end activate;
function Input_Size(lay: in Layer) return Positive is
Not_Implemented: exception;
begin
raise Not_Implemented with "Input_Size not implemented";
return 1;
end Input_Size;
function Output_Size(lay: in Layer) return Positive is
Not_Implemented: exception;
begin
raise Not_Implemented with "Output_Size not implemented";
return 1;
end Output_Size;
function Forward(lay: in out Layer; values: in Tensor.Var) return Tensor.Var is
Not_Implemented: exception;
begin
raise Not_Implemented with "Forward not implemented";
return values;
end Forward;
function Forward(m: in Model; values: in Tensor.Var) return Tensor.Var is
previous_result: Tensor.Var := values;
begin
for it of m.layers loop
previous_result := Forward(it.all, previous_result);
end loop;
return previous_result;
end Forward;
procedure Finalize(This: in out Model) is
procedure Free_Layer is new Ada.Unchecked_Deallocation(Object => Layer'Class,
Name => Layer_Access);
begin
for it of This.layers loop
Free_Layer(it);
end loop;
end Finalize;
function Create(input_size: in Positive) return Model is
begin
return m: Model do
m.input_size := input_size;
end return;
end Create;
function Add_Dense_Layer(m: in out Model; neuron_count: in Positive; act: in Activation := RELU) return Dense_Layer_Access is
added_elem: Dense_Layer_Access;
value_count: Positive;
begin
if m.layers.Is_Empty then
value_count := m.input_size;
else
value_count := Output_Size(m.layers.Last_Element.all);
end if;
m.layers.Append(new DenseLayer);
added_elem := Dense_Layer_Access(m.layers.Last_Element);
added_elem.activator := act;
added_elem.weights := Tensor.Allocate(neuron_count * value_count);
added_elem.weights.Reshape(neuron_count, value_count);
added_elem.weights.Random;
added_elem.biases := Tensor.Allocate(neuron_count);
added_elem.biases.Random;
return added_elem;
end Add_Dense_Layer;
procedure Add_Dense_Layer(m: in out Model; neuron_count: in Positive; act: in Activation := RELU) is
tmp: Dense_Layer_Access := Add_Dense_Layer(m, neuron_count, act);
begin
null;
end Add_Dense_Layer;
function Forward(lay: in out DenseLayer; values: in Tensor.Var) return Tensor.Var is
begin
lay.weighted_output := lay.weights.Dot(values) + lay.biases;
lay.activations := activate(val => lay.weighted_output,
act => lay.activator);
return lay.activations;
end Forward;
function Input_Size(lay: in DenseLayer) return Positive is
begin
return lay.weights.Dimension(2);
end Input_Size;
function Output_Size(lay: in DenseLayer) return Positive is
begin
return lay.weights.Dimension(1);
end Output_Size;
end NN2;
|
osannolik/Ada_Drivers_Library | Ada | 6,165 | ads | -- This spec has been automatically generated from STM32F446x.svd
pragma Restrictions (No_Elaboration_Code);
pragma Ada_2012;
pragma Style_Checks (Off);
with System;
-- STM32F446x
package STM32_SVD is
pragma Preelaborate;
--------------------
-- Base addresses --
--------------------
DCMI_Base : constant System.Address :=
System'To_Address (16#50050000#);
FMC_Base : constant System.Address :=
System'To_Address (16#A0000000#);
DBG_Base : constant System.Address :=
System'To_Address (16#E0042000#);
DMA2_Base : constant System.Address :=
System'To_Address (16#40026400#);
DMA1_Base : constant System.Address :=
System'To_Address (16#40026000#);
RCC_Base : constant System.Address :=
System'To_Address (16#40023800#);
GPIOH_Base : constant System.Address :=
System'To_Address (16#40021C00#);
GPIOG_Base : constant System.Address :=
System'To_Address (16#40021800#);
GPIOF_Base : constant System.Address :=
System'To_Address (16#40021400#);
GPIOE_Base : constant System.Address :=
System'To_Address (16#40021000#);
GPIOD_Base : constant System.Address :=
System'To_Address (16#40020C00#);
GPIOC_Base : constant System.Address :=
System'To_Address (16#40020800#);
GPIOB_Base : constant System.Address :=
System'To_Address (16#40020400#);
GPIOA_Base : constant System.Address :=
System'To_Address (16#40020000#);
SYSCFG_Base : constant System.Address :=
System'To_Address (16#40013800#);
SPI1_Base : constant System.Address :=
System'To_Address (16#40013000#);
SPI2_Base : constant System.Address :=
System'To_Address (16#40003800#);
SPI3_Base : constant System.Address :=
System'To_Address (16#40003C00#);
SPI4_Base : constant System.Address :=
System'To_Address (16#40013400#);
SDIO_Base : constant System.Address :=
System'To_Address (16#40012C00#);
ADC1_Base : constant System.Address :=
System'To_Address (16#40012000#);
ADC2_Base : constant System.Address :=
System'To_Address (16#40012100#);
ADC3_Base : constant System.Address :=
System'To_Address (16#40012200#);
USART6_Base : constant System.Address :=
System'To_Address (16#40011400#);
USART1_Base : constant System.Address :=
System'To_Address (16#40011000#);
USART2_Base : constant System.Address :=
System'To_Address (16#40004400#);
USART3_Base : constant System.Address :=
System'To_Address (16#40004800#);
DAC_Base : constant System.Address :=
System'To_Address (16#40007400#);
I2C3_Base : constant System.Address :=
System'To_Address (16#40005C00#);
I2C2_Base : constant System.Address :=
System'To_Address (16#40005800#);
I2C1_Base : constant System.Address :=
System'To_Address (16#40005400#);
IWDG_Base : constant System.Address :=
System'To_Address (16#40003000#);
WWDG_Base : constant System.Address :=
System'To_Address (16#40002C00#);
RTC_Base : constant System.Address :=
System'To_Address (16#40002800#);
UART4_Base : constant System.Address :=
System'To_Address (16#40004C00#);
UART5_Base : constant System.Address :=
System'To_Address (16#40005000#);
C_ADC_Base : constant System.Address :=
System'To_Address (16#40012300#);
TIM1_Base : constant System.Address :=
System'To_Address (16#40010000#);
TIM8_Base : constant System.Address :=
System'To_Address (16#40010400#);
TIM2_Base : constant System.Address :=
System'To_Address (16#40000000#);
TIM3_Base : constant System.Address :=
System'To_Address (16#40000400#);
TIM4_Base : constant System.Address :=
System'To_Address (16#40000800#);
TIM5_Base : constant System.Address :=
System'To_Address (16#40000C00#);
TIM9_Base : constant System.Address :=
System'To_Address (16#40014000#);
TIM12_Base : constant System.Address :=
System'To_Address (16#40001800#);
TIM10_Base : constant System.Address :=
System'To_Address (16#40014400#);
TIM13_Base : constant System.Address :=
System'To_Address (16#40001C00#);
TIM14_Base : constant System.Address :=
System'To_Address (16#40002000#);
TIM11_Base : constant System.Address :=
System'To_Address (16#40014800#);
TIM6_Base : constant System.Address :=
System'To_Address (16#40001000#);
TIM7_Base : constant System.Address :=
System'To_Address (16#40001400#);
CRC_Base : constant System.Address :=
System'To_Address (16#40023000#);
OTG_FS_GLOBAL_Base : constant System.Address :=
System'To_Address (16#50000000#);
OTG_FS_HOST_Base : constant System.Address :=
System'To_Address (16#50000400#);
OTG_FS_DEVICE_Base : constant System.Address :=
System'To_Address (16#50000800#);
OTG_FS_PWRCLK_Base : constant System.Address :=
System'To_Address (16#50000E00#);
CAN1_Base : constant System.Address :=
System'To_Address (16#40006400#);
CAN2_Base : constant System.Address :=
System'To_Address (16#40006800#);
NVIC_Base : constant System.Address :=
System'To_Address (16#E000E000#);
FLASH_Base : constant System.Address :=
System'To_Address (16#40023C00#);
EXTI_Base : constant System.Address :=
System'To_Address (16#40013C00#);
OTG_HS_GLOBAL_Base : constant System.Address :=
System'To_Address (16#40040000#);
OTG_HS_HOST_Base : constant System.Address :=
System'To_Address (16#40040400#);
OTG_HS_DEVICE_Base : constant System.Address :=
System'To_Address (16#40040800#);
OTG_HS_PWRCLK_Base : constant System.Address :=
System'To_Address (16#40040E00#);
SAI1_Base : constant System.Address :=
System'To_Address (16#40015800#);
SAI2_Base : constant System.Address :=
System'To_Address (16#40015C00#);
PWR_Base : constant System.Address :=
System'To_Address (16#40007000#);
QUADSPI_Base : constant System.Address :=
System'To_Address (16#A0001000#);
CEC_Base : constant System.Address :=
System'To_Address (16#40006C00#);
SPDIF_RX_Base : constant System.Address :=
System'To_Address (16#40004000#);
end STM32_SVD;
|
jscparker/math_packages | Ada | 1,668 | adb |
-- gamma(1+x) = x! for x=0,1,2 ...
-- Calls 2 important Test procedures from Factorial, then quick test.
with Factorial;
with text_io; use text_io;
with ada.numerics.generic_elementary_functions;
procedure Factorial_tst_1 is
type Real is digits 15;
package F is new Factorial (Real); use F;
package Math is new ada.numerics.generic_elementary_functions(Real); use Math;
function Factorial (n : in Natural) return Real is
Prod : Real := 1.0;
begin
if n < 2 then
return 1.0;
end if;
for j in 2 .. n loop
Prod := Prod * Real(j);
end loop;
return Prod;
end;
begin
Test_Stieltjes_Coefficients;
Test_Log_Factorial_Table;
new_line;
new_line; put(real'image( (log_factorial(1) - Log (Factorial(1)) )));
new_line; put(real'image( (log_factorial(2) - Log (Factorial(2)) )));
new_line; put(real'image( (log_factorial(6) - Log (Factorial(6)) )));
new_line; put(real'image( (log_factorial(10) - Log (Factorial(10)) )));
new_line; put(real'image( (log_factorial(14) - Log (Factorial(14)) )));
new_line; put(real'image( (log_factorial(20) - Log (Factorial(20)) )));
new_line; put(real'image( (log_factorial(21) - Log (Factorial(21)) )));
new_line; put(real'image( (log_factorial(27) - Log (Factorial(27)) )));
new_line; put(real'image( (log_factorial(37) - Log (Factorial(37)) )));
new_line; put(real'image( (log_factorial(47) - Log (Factorial(47)) )));
new_line; put(real'image( (log_factorial(52) - Log (Factorial(52)) )));
new_line; put(real'image( (log_factorial(57) - Log (Factorial(57)) )));
new_line; put(real'image( (log_factorial(87) - Log (Factorial(87)) )));
end;
|
reznikmm/matreshka | Ada | 6,760 | adb | ------------------------------------------------------------------------------
-- --
-- Matreshka Project --
-- --
-- Open Document Toolkit --
-- --
-- Runtime Library Component --
-- --
------------------------------------------------------------------------------
-- --
-- Copyright © 2014, Vadim Godunko <[email protected]> --
-- All rights reserved. --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions --
-- are met: --
-- --
-- * Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- --
-- * Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in the --
-- documentation and/or other materials provided with the distribution. --
-- --
-- * Neither the name of the Vadim Godunko, IE nor the names of its --
-- contributors may be used to endorse or promote products derived from --
-- this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED --
-- TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR --
-- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF --
-- LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING --
-- NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS --
-- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
-- $Revision$ $Date$
------------------------------------------------------------------------------
with Matreshka.DOM_Documents;
with Matreshka.ODF_String_Constants;
with ODF.DOM.Iterators;
with ODF.DOM.Visitors;
package body Matreshka.ODF_Form.Frame_Elements is
------------
-- Create --
------------
overriding function Create
(Parameters : not null access Matreshka.DOM_Elements.Element_L2_Parameters)
return Form_Frame_Element_Node is
begin
return Self : Form_Frame_Element_Node do
Matreshka.ODF_Form.Constructors.Initialize
(Self'Unchecked_Access,
Parameters.Document,
Matreshka.ODF_String_Constants.Form_Prefix);
end return;
end Create;
----------------
-- Enter_Node --
----------------
overriding procedure Enter_Node
(Self : not null access Form_Frame_Element_Node;
Visitor : in out XML.DOM.Visitors.Abstract_Visitor'Class;
Control : in out XML.DOM.Visitors.Traverse_Control) is
begin
if Visitor in ODF.DOM.Visitors.Abstract_ODF_Visitor'Class then
ODF.DOM.Visitors.Abstract_ODF_Visitor'Class
(Visitor).Enter_Form_Frame
(ODF.DOM.Form_Frame_Elements.ODF_Form_Frame_Access
(Self),
Control);
else
Matreshka.DOM_Elements.Abstract_Element_Node
(Self.all).Enter_Node (Visitor, Control);
end if;
end Enter_Node;
--------------------
-- Get_Local_Name --
--------------------
overriding function Get_Local_Name
(Self : not null access constant Form_Frame_Element_Node)
return League.Strings.Universal_String
is
pragma Unreferenced (Self);
begin
return Matreshka.ODF_String_Constants.Frame_Element;
end Get_Local_Name;
----------------
-- Leave_Node --
----------------
overriding procedure Leave_Node
(Self : not null access Form_Frame_Element_Node;
Visitor : in out XML.DOM.Visitors.Abstract_Visitor'Class;
Control : in out XML.DOM.Visitors.Traverse_Control) is
begin
if Visitor in ODF.DOM.Visitors.Abstract_ODF_Visitor'Class then
ODF.DOM.Visitors.Abstract_ODF_Visitor'Class
(Visitor).Leave_Form_Frame
(ODF.DOM.Form_Frame_Elements.ODF_Form_Frame_Access
(Self),
Control);
else
Matreshka.DOM_Elements.Abstract_Element_Node
(Self.all).Leave_Node (Visitor, Control);
end if;
end Leave_Node;
----------------
-- Visit_Node --
----------------
overriding procedure Visit_Node
(Self : not null access Form_Frame_Element_Node;
Iterator : in out XML.DOM.Visitors.Abstract_Iterator'Class;
Visitor : in out XML.DOM.Visitors.Abstract_Visitor'Class;
Control : in out XML.DOM.Visitors.Traverse_Control) is
begin
if Iterator in ODF.DOM.Iterators.Abstract_ODF_Iterator'Class then
ODF.DOM.Iterators.Abstract_ODF_Iterator'Class
(Iterator).Visit_Form_Frame
(Visitor,
ODF.DOM.Form_Frame_Elements.ODF_Form_Frame_Access
(Self),
Control);
else
Matreshka.DOM_Elements.Abstract_Element_Node
(Self.all).Visit_Node (Iterator, Visitor, Control);
end if;
end Visit_Node;
begin
Matreshka.DOM_Documents.Register_Element
(Matreshka.ODF_String_Constants.Form_URI,
Matreshka.ODF_String_Constants.Frame_Element,
Form_Frame_Element_Node'Tag);
end Matreshka.ODF_Form.Frame_Elements;
|
albertklee/SPARKZumo | Ada | 2,163 | adb | -- pragma SPARK_Mode;
with Wire; use Wire;
package body Zumo_L3gd20h is
Chip_Addr : constant := 2#0110_1011#;
Chip_ID : constant := 2#1101_0111#;
procedure Check_WHOAMI
is
ID : Byte;
begin
ID := Wire.Read_Byte (Addr => Chip_Addr,
Reg => Regs (WHO_AM_I));
if ID /= Chip_ID then
raise L3GD20H_Exception;
end if;
end Check_WHOAMI;
procedure Init
is
Init_Seq : constant Byte_Array := (Regs (CTRL1), 2#1001_1111#,
Regs (CTRL2), 2#0000_0000#,
Regs (CTRL3), 2#0000_0000#,
Regs (CTRL4), 2#0011_0000#,
Regs (CTRL5), 2#0000_0000#,
Regs (LOW_ODR), 2#0000_0001#);
Status : Wire.Transmission_Status_Index;
Index : Byte := Init_Seq'First;
begin
Check_WHOAMI;
while Index <= Init_Seq'Last loop
Status := Wire.Write_Byte (Addr => Chip_Addr,
Reg => Init_Seq (Index),
Data => Init_Seq (Index + 1));
if Status /= Wire.Success then
raise L3GD20H_Exception;
end if;
Index := Index + 2;
end loop;
Initd := True;
end Init;
function Read_Temp return signed_char
is
BB : Byte := 0;
Ret_Val : signed_char
with Address => BB'Address;
begin
BB := Wire.Read_Byte (Addr => Chip_Addr,
Reg => Regs (OUT_TEMP));
return Ret_Val;
end Read_Temp;
function Read_Status return Byte
is
begin
return Wire.Read_Byte (Addr => Chip_Addr,
Reg => Regs (STATUS));
end Read_Status;
procedure Read_Gyro (Data : out Axis_Data)
is
Raw_Arr : Byte_Array (1 .. Data'Length * 2)
with Address => Data'Address;
begin
Wire.Read_Bytes (Addr => Chip_Addr,
Reg => Regs (OUT_X_L),
Data => Raw_Arr);
end Read_Gyro;
end Zumo_L3gd20h;
|
reznikmm/matreshka | Ada | 4,091 | ads | ------------------------------------------------------------------------------
-- --
-- Matreshka Project --
-- --
-- Open Document Toolkit --
-- --
-- Runtime Library Component --
-- --
------------------------------------------------------------------------------
-- --
-- Copyright © 2014, Vadim Godunko <[email protected]> --
-- All rights reserved. --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions --
-- are met: --
-- --
-- * Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- --
-- * Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in the --
-- documentation and/or other materials provided with the distribution. --
-- --
-- * Neither the name of the Vadim Godunko, IE nor the names of its --
-- contributors may be used to endorse or promote products derived from --
-- this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED --
-- TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR --
-- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF --
-- LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING --
-- NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS --
-- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
-- $Revision$ $Date$
------------------------------------------------------------------------------
with ODF.DOM.Style_Text_Underline_Color_Attributes;
package Matreshka.ODF_Style.Text_Underline_Color_Attributes is
type Style_Text_Underline_Color_Attribute_Node is
new Matreshka.ODF_Style.Abstract_Style_Attribute_Node
and ODF.DOM.Style_Text_Underline_Color_Attributes.ODF_Style_Text_Underline_Color_Attribute
with null record;
overriding function Create
(Parameters : not null access Matreshka.DOM_Attributes.Attribute_L2_Parameters)
return Style_Text_Underline_Color_Attribute_Node;
overriding function Get_Local_Name
(Self : not null access constant Style_Text_Underline_Color_Attribute_Node)
return League.Strings.Universal_String;
end Matreshka.ODF_Style.Text_Underline_Color_Attributes;
|
reznikmm/matreshka | Ada | 9,446 | ads | ------------------------------------------------------------------------------
-- --
-- Matreshka Project --
-- --
-- Web Framework --
-- --
-- Web API Definition --
-- --
------------------------------------------------------------------------------
-- --
-- Copyright © 2014-2016, Vadim Godunko <[email protected]> --
-- All rights reserved. --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions --
-- are met: --
-- --
-- * Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- --
-- * Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in the --
-- documentation and/or other materials provided with the distribution. --
-- --
-- * Neither the name of the Vadim Godunko, IE nor the names of its --
-- contributors may be used to endorse or promote products derived from --
-- this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED --
-- TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR --
-- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF --
-- LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING --
-- NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS --
-- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
-- $Revision$ $Date$
------------------------------------------------------------------------------
with WebAPI.HTML.Elements;
package WebAPI.HTML.Form_Elements is
pragma Preelaborate;
type HTML_Form_Element is limited interface
and WebAPI.HTML.Elements.HTML_Element;
type HTML_Form_Element_Access is access all HTML_Form_Element'Class
with Storage_Size => 0;
-- XXX Not implemented
--
-- interface HTMLFormElement : HTMLElement {
-- readonly attribute HTMLFormControlsCollection elements;
-- readonly attribute long length;
-- getter Element (unsigned long index);
-- getter (RadioNodeList or Element) (DOMString name);
not overriding function Get_Accept_Charset
(Self : not null access constant HTML_Form_Element)
return WebAPI.DOM_String is abstract
with Import => True,
Convention => JavaScript_Property_Getter,
Link_Name => "acceptCharset";
not overriding procedure Set_Accept_Charset
(Self : not null access constant HTML_Form_Element;
To : WebAPI.DOM_String) is abstract
with Import => True,
Convention => JavaScript_Property_Setter,
Link_Name => "acceptCharset";
not overriding function Get_Action
(Self : not null access constant HTML_Form_Element)
return WebAPI.DOM_String is abstract
with Import => True,
Convention => JavaScript_Property_Getter,
Link_Name => "action";
not overriding procedure Set_Action
(Self : not null access constant HTML_Form_Element;
To : WebAPI.DOM_String) is abstract
with Import => True,
Convention => JavaScript_Property_Setter,
Link_Name => "action";
not overriding function Get_Autocomplete
(Self : not null access constant HTML_Form_Element)
return WebAPI.DOM_String is abstract
with Import => True,
Convention => JavaScript_Property_Getter,
Link_Name => "autocomplete";
not overriding procedure Set_Autocomplete
(Self : not null access constant HTML_Form_Element;
To : WebAPI.DOM_String) is abstract
with Import => True,
Convention => JavaScript_Property_Setter,
Link_Name => "autocomplete";
not overriding function Get_Enctype
(Self : not null access constant HTML_Form_Element)
return WebAPI.DOM_String is abstract
with Import => True,
Convention => JavaScript_Property_Getter,
Link_Name => "enctype";
not overriding procedure Set_Enctype
(Self : not null access constant HTML_Form_Element;
To : WebAPI.DOM_String) is abstract
with Import => True,
Convention => JavaScript_Property_Setter,
Link_Name => "enctype";
not overriding function Get_Encoding
(Self : not null access constant HTML_Form_Element)
return WebAPI.DOM_String is abstract
with Import => True,
Convention => JavaScript_Property_Getter,
Link_Name => "encoding";
not overriding procedure Set_Encoding
(Self : not null access constant HTML_Form_Element;
To : WebAPI.DOM_String) is abstract
with Import => True,
Convention => JavaScript_Property_Setter,
Link_Name => "encoding";
not overriding function Get_Method
(Self : not null access constant HTML_Form_Element)
return WebAPI.DOM_String is abstract
with Import => True,
Convention => JavaScript_Property_Getter,
Link_Name => "method";
not overriding procedure Set_Method
(Self : not null access constant HTML_Form_Element;
To : WebAPI.DOM_String) is abstract
with Import => True,
Convention => JavaScript_Property_Setter,
Link_Name => "method";
not overriding function Get_Name
(Self : not null access constant HTML_Form_Element)
return WebAPI.DOM_String is abstract
with Import => True,
Convention => JavaScript_Property_Getter,
Link_Name => "name";
not overriding procedure Set_Name
(Self : not null access constant HTML_Form_Element;
To : WebAPI.DOM_String) is abstract
with Import => True,
Convention => JavaScript_Property_Setter,
Link_Name => "name";
not overriding function Get_No_Validate
(Self : not null access constant HTML_Form_Element)
return Boolean is abstract
with Import => True,
Convention => JavaScript_Property_Getter,
Link_Name => "noValidate";
not overriding procedure Set_No_Validate
(Self : not null access constant HTML_Form_Element;
To : Boolean) is abstract
with Import => True,
Convention => JavaScript_Property_Setter,
Link_Name => "noValidate";
not overriding function Get_Target
(Self : not null access constant HTML_Form_Element)
return WebAPI.DOM_String is abstract
with Import => True,
Convention => JavaScript_Property_Getter,
Link_Name => "target";
not overriding procedure Set_Target
(Self : not null access constant HTML_Form_Element;
To : WebAPI.DOM_String) is abstract
with Import => True,
Convention => JavaScript_Property_Setter,
Link_Name => "target";
not overriding procedure Submit
(Self : not null access constant HTML_Form_Element) is abstract
with Import => True,
Convention => JavaScript_Method,
Link_Name => "submit";
not overriding procedure Reset
(Self : not null access constant HTML_Form_Element) is abstract
with Import => True,
Convention => JavaScript_Method,
Link_Name => "reset";
not overriding function Check_Validity
(Self : not null access constant HTML_Form_Element)
return Boolean is abstract
with Import => True,
Convention => JavaScript_Method,
Link_Name => "checkValidity";
end WebAPI.HTML.Form_Elements;
|
strenkml/EE368 | Ada | 1,671 | ads |
package Memory.RAM is
type RAM_Type is new Memory_Type with private;
type RAM_Pointer is access all RAM_Type'Class;
function Create_RAM(latency : Time_Type := 1;
burst : Time_Type := 0;
word_size : Positive := 8;
word_count : Natural := 65536) return RAM_Pointer;
overriding
function Clone(mem : RAM_Type) return Memory_Pointer;
overriding
procedure Reset(mem : in out RAM_Type;
context : in Natural);
overriding
procedure Read(mem : in out RAM_Type;
address : in Address_Type;
size : in Positive);
overriding
procedure Write(mem : in out RAM_Type;
address : in Address_Type;
size : in Positive);
overriding
function To_String(mem : RAM_Type) return Unbounded_String;
overriding
function Get_Cost(mem : RAM_Type) return Cost_Type;
overriding
function Get_Writes(mem : RAM_Type) return Long_Integer;
overriding
function Get_Word_Size(mem : RAM_Type) return Positive;
overriding
function Get_Ports(mem : RAM_Type) return Port_Vector_Type;
overriding
procedure Generate(mem : in RAM_Type;
sigs : in out Unbounded_String;
code : in out Unbounded_String);
private
type RAM_Type is new Memory_Type with record
latency : Time_Type := 1;
burst : Time_Type := 0;
word_size : Positive := 8;
word_count : Natural := 65536;
writes : Long_Integer := 0;
end record;
end Memory.RAM;
|
reznikmm/matreshka | Ada | 4,737 | ads | ------------------------------------------------------------------------------
-- --
-- Matreshka Project --
-- --
-- Open Document Toolkit --
-- --
-- Runtime Library Component --
-- --
------------------------------------------------------------------------------
-- --
-- Copyright © 2014, Vadim Godunko <[email protected]> --
-- All rights reserved. --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions --
-- are met: --
-- --
-- * Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- --
-- * Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in the --
-- documentation and/or other materials provided with the distribution. --
-- --
-- * Neither the name of the Vadim Godunko, IE nor the names of its --
-- contributors may be used to endorse or promote products derived from --
-- this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED --
-- TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR --
-- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF --
-- LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING --
-- NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS --
-- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
-- $Revision$ $Date$
------------------------------------------------------------------------------
with XML.DOM.Visitors;
with ODF.DOM.Svg_Font_Face_Uri_Elements;
package Matreshka.ODF_Svg.Font_Face_Uri_Elements is
type Svg_Font_Face_Uri_Element_Node is
new Matreshka.ODF_Svg.Abstract_Svg_Element_Node
and ODF.DOM.Svg_Font_Face_Uri_Elements.ODF_Svg_Font_Face_Uri
with null record;
overriding function Create
(Parameters : not null access Matreshka.DOM_Elements.Element_L2_Parameters)
return Svg_Font_Face_Uri_Element_Node;
overriding function Get_Local_Name
(Self : not null access constant Svg_Font_Face_Uri_Element_Node)
return League.Strings.Universal_String;
overriding procedure Enter_Node
(Self : not null access Svg_Font_Face_Uri_Element_Node;
Visitor : in out XML.DOM.Visitors.Abstract_Visitor'Class;
Control : in out XML.DOM.Visitors.Traverse_Control);
overriding procedure Leave_Node
(Self : not null access Svg_Font_Face_Uri_Element_Node;
Visitor : in out XML.DOM.Visitors.Abstract_Visitor'Class;
Control : in out XML.DOM.Visitors.Traverse_Control);
overriding procedure Visit_Node
(Self : not null access Svg_Font_Face_Uri_Element_Node;
Iterator : in out XML.DOM.Visitors.Abstract_Iterator'Class;
Visitor : in out XML.DOM.Visitors.Abstract_Visitor'Class;
Control : in out XML.DOM.Visitors.Traverse_Control);
end Matreshka.ODF_Svg.Font_Face_Uri_Elements;
|
zhmu/ananas | Ada | 486 | ads | package Incomplete3 is
type Output_T;
type Output_T is abstract tagged private;
type Tracer_T is tagged private;
function Get_Tracer (This : access Output_T'Class) return Tracer_T'class;
function Get_Output (This : in Tracer_T) return access Output_T'Class;
private
type Output_T is abstract tagged record
B : Boolean := True;
end record;
type Tracer_T is tagged record
Output : access Output_T'Class := null;
end record;
end Incomplete3;
|
persan/advent-of-code-2020 | Ada | 57 | ads | package Adventofcode.Day_24 is
end Adventofcode.Day_24;
|
AdaCore/Ada_Drivers_Library | Ada | 32,544 | ads | -- This spec has been automatically generated from STM32F46_79x.svd
pragma Restrictions (No_Elaboration_Code);
pragma Ada_2012;
pragma Style_Checks (Off);
with HAL;
with System;
package STM32_SVD.LTDC is
pragma Preelaborate;
---------------
-- Registers --
---------------
subtype SSCR_VSH_Field is HAL.UInt11;
subtype SSCR_HSW_Field is HAL.UInt10;
-- Synchronization Size Configuration Register
type SSCR_Register is record
-- Vertical Synchronization Height (in units of horizontal scan line)
VSH : SSCR_VSH_Field := 16#0#;
-- unspecified
Reserved_11_15 : HAL.UInt5 := 16#0#;
-- Horizontal Synchronization Width (in units of pixel clock period)
HSW : SSCR_HSW_Field := 16#0#;
-- unspecified
Reserved_26_31 : HAL.UInt6 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for SSCR_Register use record
VSH at 0 range 0 .. 10;
Reserved_11_15 at 0 range 11 .. 15;
HSW at 0 range 16 .. 25;
Reserved_26_31 at 0 range 26 .. 31;
end record;
subtype BPCR_AVBP_Field is HAL.UInt11;
subtype BPCR_AHBP_Field is HAL.UInt10;
-- Back Porch Configuration Register
type BPCR_Register is record
-- Accumulated Vertical back porch (in units of horizontal scan line)
AVBP : BPCR_AVBP_Field := 16#0#;
-- unspecified
Reserved_11_15 : HAL.UInt5 := 16#0#;
-- Accumulated Horizontal back porch (in units of pixel clock period)
AHBP : BPCR_AHBP_Field := 16#0#;
-- unspecified
Reserved_26_31 : HAL.UInt6 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for BPCR_Register use record
AVBP at 0 range 0 .. 10;
Reserved_11_15 at 0 range 11 .. 15;
AHBP at 0 range 16 .. 25;
Reserved_26_31 at 0 range 26 .. 31;
end record;
subtype AWCR_AAH_Field is HAL.UInt11;
subtype AWCR_AAW_Field is HAL.UInt12;
-- Active Width Configuration Register
type AWCR_Register is record
-- Accumulated Active Height (in units of horizontal scan line)
AAH : AWCR_AAH_Field := 16#0#;
-- unspecified
Reserved_11_15 : HAL.UInt5 := 16#0#;
-- AAW
AAW : AWCR_AAW_Field := 16#0#;
-- unspecified
Reserved_28_31 : HAL.UInt4 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for AWCR_Register use record
AAH at 0 range 0 .. 10;
Reserved_11_15 at 0 range 11 .. 15;
AAW at 0 range 16 .. 27;
Reserved_28_31 at 0 range 28 .. 31;
end record;
subtype TWCR_TOTALH_Field is HAL.UInt11;
subtype TWCR_TOTALW_Field is HAL.UInt12;
-- Total Width Configuration Register
type TWCR_Register is record
-- Total Height (in units of horizontal scan line)
TOTALH : TWCR_TOTALH_Field := 16#0#;
-- unspecified
Reserved_11_15 : HAL.UInt5 := 16#0#;
-- Total Width (in units of pixel clock period)
TOTALW : TWCR_TOTALW_Field := 16#0#;
-- unspecified
Reserved_28_31 : HAL.UInt4 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for TWCR_Register use record
TOTALH at 0 range 0 .. 10;
Reserved_11_15 at 0 range 11 .. 15;
TOTALW at 0 range 16 .. 27;
Reserved_28_31 at 0 range 28 .. 31;
end record;
subtype GCR_DBW_Field is HAL.UInt3;
subtype GCR_DGW_Field is HAL.UInt3;
subtype GCR_DRW_Field is HAL.UInt3;
-- Global Control Register
type GCR_Register is record
-- LCD-TFT controller enable bit
LTDCEN : Boolean := False;
-- unspecified
Reserved_1_3 : HAL.UInt3 := 16#0#;
-- Read-only. Dither Blue Width
DBW : GCR_DBW_Field := 16#2#;
-- unspecified
Reserved_7_7 : HAL.Bit := 16#0#;
-- Read-only. Dither Green Width
DGW : GCR_DGW_Field := 16#2#;
-- unspecified
Reserved_11_11 : HAL.Bit := 16#0#;
-- Read-only. Dither Red Width
DRW : GCR_DRW_Field := 16#2#;
-- unspecified
Reserved_15_15 : HAL.Bit := 16#0#;
-- Dither Enable
DEN : Boolean := False;
-- unspecified
Reserved_17_27 : HAL.UInt11 := 16#0#;
-- Pixel Clock Polarity
PCPOL : Boolean := False;
-- Data Enable Polarity
DEPOL : Boolean := False;
-- Vertical Synchronization Polarity
VSPOL : Boolean := False;
-- Horizontal Synchronization Polarity
HSPOL : Boolean := False;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for GCR_Register use record
LTDCEN at 0 range 0 .. 0;
Reserved_1_3 at 0 range 1 .. 3;
DBW at 0 range 4 .. 6;
Reserved_7_7 at 0 range 7 .. 7;
DGW at 0 range 8 .. 10;
Reserved_11_11 at 0 range 11 .. 11;
DRW at 0 range 12 .. 14;
Reserved_15_15 at 0 range 15 .. 15;
DEN at 0 range 16 .. 16;
Reserved_17_27 at 0 range 17 .. 27;
PCPOL at 0 range 28 .. 28;
DEPOL at 0 range 29 .. 29;
VSPOL at 0 range 30 .. 30;
HSPOL at 0 range 31 .. 31;
end record;
-- Shadow Reload Configuration Register
type SRCR_Register is record
-- Immediate Reload
IMR : Boolean := False;
-- Vertical Blanking Reload
VBR : Boolean := False;
-- unspecified
Reserved_2_31 : HAL.UInt30 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for SRCR_Register use record
IMR at 0 range 0 .. 0;
VBR at 0 range 1 .. 1;
Reserved_2_31 at 0 range 2 .. 31;
end record;
subtype BCCR_BC_Field is HAL.UInt24;
-- Background Color Configuration Register
type BCCR_Register is record
-- Background Color Red value
BC : BCCR_BC_Field := 16#0#;
-- unspecified
Reserved_24_31 : HAL.UInt8 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for BCCR_Register use record
BC at 0 range 0 .. 23;
Reserved_24_31 at 0 range 24 .. 31;
end record;
-- Interrupt Enable Register
type IER_Register is record
-- Line Interrupt Enable
LIE : Boolean := False;
-- FIFO Underrun Interrupt Enable
FUIE : Boolean := False;
-- Transfer Error Interrupt Enable
TERRIE : Boolean := False;
-- Register Reload interrupt enable
RRIE : Boolean := False;
-- unspecified
Reserved_4_31 : HAL.UInt28 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for IER_Register use record
LIE at 0 range 0 .. 0;
FUIE at 0 range 1 .. 1;
TERRIE at 0 range 2 .. 2;
RRIE at 0 range 3 .. 3;
Reserved_4_31 at 0 range 4 .. 31;
end record;
-- Interrupt Status Register
type ISR_Register is record
-- Read-only. Line Interrupt flag
LIF : Boolean;
-- Read-only. FIFO Underrun Interrupt flag
FUIF : Boolean;
-- Read-only. Transfer Error interrupt flag
TERRIF : Boolean;
-- Read-only. Register Reload Interrupt Flag
RRIF : Boolean;
-- unspecified
Reserved_4_31 : HAL.UInt28;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for ISR_Register use record
LIF at 0 range 0 .. 0;
FUIF at 0 range 1 .. 1;
TERRIF at 0 range 2 .. 2;
RRIF at 0 range 3 .. 3;
Reserved_4_31 at 0 range 4 .. 31;
end record;
-- Interrupt Clear Register
type ICR_Register is record
-- Write-only. Clears the Line Interrupt Flag
CLIF : Boolean := False;
-- Write-only. Clears the FIFO Underrun Interrupt flag
CFUIF : Boolean := False;
-- Write-only. Clears the Transfer Error Interrupt Flag
CTERRIF : Boolean := False;
-- Write-only. Clears Register Reload Interrupt Flag
CRRIF : Boolean := False;
-- unspecified
Reserved_4_31 : HAL.UInt28 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for ICR_Register use record
CLIF at 0 range 0 .. 0;
CFUIF at 0 range 1 .. 1;
CTERRIF at 0 range 2 .. 2;
CRRIF at 0 range 3 .. 3;
Reserved_4_31 at 0 range 4 .. 31;
end record;
subtype LIPCR_LIPOS_Field is HAL.UInt11;
-- Line Interrupt Position Configuration Register
type LIPCR_Register is record
-- Line Interrupt Position
LIPOS : LIPCR_LIPOS_Field := 16#0#;
-- unspecified
Reserved_11_31 : HAL.UInt21 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for LIPCR_Register use record
LIPOS at 0 range 0 .. 10;
Reserved_11_31 at 0 range 11 .. 31;
end record;
subtype CPSR_CYPOS_Field is HAL.UInt16;
subtype CPSR_CXPOS_Field is HAL.UInt16;
-- Current Position Status Register
type CPSR_Register is record
-- Read-only. Current Y Position
CYPOS : CPSR_CYPOS_Field;
-- Read-only. Current X Position
CXPOS : CPSR_CXPOS_Field;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for CPSR_Register use record
CYPOS at 0 range 0 .. 15;
CXPOS at 0 range 16 .. 31;
end record;
-- Current Display Status Register
type CDSR_Register is record
-- Read-only. Vertical Data Enable display Status
VDES : Boolean;
-- Read-only. Horizontal Data Enable display Status
HDES : Boolean;
-- Read-only. Vertical Synchronization display Status
VSYNCS : Boolean;
-- Read-only. Horizontal Synchronization display Status
HSYNCS : Boolean;
-- unspecified
Reserved_4_31 : HAL.UInt28;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for CDSR_Register use record
VDES at 0 range 0 .. 0;
HDES at 0 range 1 .. 1;
VSYNCS at 0 range 2 .. 2;
HSYNCS at 0 range 3 .. 3;
Reserved_4_31 at 0 range 4 .. 31;
end record;
-- Layerx Control Register
type L1CR_Register is record
-- Layer Enable
LEN : Boolean := False;
-- Color Keying Enable
COLKEN : Boolean := False;
-- unspecified
Reserved_2_3 : HAL.UInt2 := 16#0#;
-- Color Look-Up Table Enable
CLUTEN : Boolean := False;
-- unspecified
Reserved_5_31 : HAL.UInt27 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for L1CR_Register use record
LEN at 0 range 0 .. 0;
COLKEN at 0 range 1 .. 1;
Reserved_2_3 at 0 range 2 .. 3;
CLUTEN at 0 range 4 .. 4;
Reserved_5_31 at 0 range 5 .. 31;
end record;
subtype L1WHPCR_WHSTPOS_Field is HAL.UInt12;
subtype L1WHPCR_WHSPPOS_Field is HAL.UInt12;
-- Layerx Window Horizontal Position Configuration Register
type L1WHPCR_Register is record
-- Window Horizontal Start Position
WHSTPOS : L1WHPCR_WHSTPOS_Field := 16#0#;
-- unspecified
Reserved_12_15 : HAL.UInt4 := 16#0#;
-- Window Horizontal Stop Position
WHSPPOS : L1WHPCR_WHSPPOS_Field := 16#0#;
-- unspecified
Reserved_28_31 : HAL.UInt4 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for L1WHPCR_Register use record
WHSTPOS at 0 range 0 .. 11;
Reserved_12_15 at 0 range 12 .. 15;
WHSPPOS at 0 range 16 .. 27;
Reserved_28_31 at 0 range 28 .. 31;
end record;
subtype L1WVPCR_WVSTPOS_Field is HAL.UInt11;
subtype L1WVPCR_WVSPPOS_Field is HAL.UInt11;
-- Layerx Window Vertical Position Configuration Register
type L1WVPCR_Register is record
-- Window Vertical Start Position
WVSTPOS : L1WVPCR_WVSTPOS_Field := 16#0#;
-- unspecified
Reserved_11_15 : HAL.UInt5 := 16#0#;
-- Window Vertical Stop Position
WVSPPOS : L1WVPCR_WVSPPOS_Field := 16#0#;
-- unspecified
Reserved_27_31 : HAL.UInt5 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for L1WVPCR_Register use record
WVSTPOS at 0 range 0 .. 10;
Reserved_11_15 at 0 range 11 .. 15;
WVSPPOS at 0 range 16 .. 26;
Reserved_27_31 at 0 range 27 .. 31;
end record;
subtype L1CKCR_CKBLUE_Field is HAL.UInt8;
subtype L1CKCR_CKGREEN_Field is HAL.UInt8;
subtype L1CKCR_CKRED_Field is HAL.UInt8;
-- Layerx Color Keying Configuration Register
type L1CKCR_Register is record
-- Color Key Blue value
CKBLUE : L1CKCR_CKBLUE_Field := 16#0#;
-- Color Key Green value
CKGREEN : L1CKCR_CKGREEN_Field := 16#0#;
-- Color Key Red value
CKRED : L1CKCR_CKRED_Field := 16#0#;
-- unspecified
Reserved_24_31 : HAL.UInt8 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for L1CKCR_Register use record
CKBLUE at 0 range 0 .. 7;
CKGREEN at 0 range 8 .. 15;
CKRED at 0 range 16 .. 23;
Reserved_24_31 at 0 range 24 .. 31;
end record;
subtype L1PFCR_PF_Field is HAL.UInt3;
-- Layerx Pixel Format Configuration Register
type L1PFCR_Register is record
-- Pixel Format
PF : L1PFCR_PF_Field := 16#0#;
-- unspecified
Reserved_3_31 : HAL.UInt29 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for L1PFCR_Register use record
PF at 0 range 0 .. 2;
Reserved_3_31 at 0 range 3 .. 31;
end record;
subtype L1CACR_CONSTA_Field is HAL.UInt8;
-- Layerx Constant Alpha Configuration Register
type L1CACR_Register is record
-- Constant Alpha
CONSTA : L1CACR_CONSTA_Field := 16#0#;
-- unspecified
Reserved_8_31 : HAL.UInt24 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for L1CACR_Register use record
CONSTA at 0 range 0 .. 7;
Reserved_8_31 at 0 range 8 .. 31;
end record;
subtype L1DCCR_DCBLUE_Field is HAL.UInt8;
subtype L1DCCR_DCGREEN_Field is HAL.UInt8;
subtype L1DCCR_DCRED_Field is HAL.UInt8;
subtype L1DCCR_DCALPHA_Field is HAL.UInt8;
-- Layerx Default Color Configuration Register
type L1DCCR_Register is record
-- Default Color Blue
DCBLUE : L1DCCR_DCBLUE_Field := 16#0#;
-- Default Color Green
DCGREEN : L1DCCR_DCGREEN_Field := 16#0#;
-- Default Color Red
DCRED : L1DCCR_DCRED_Field := 16#0#;
-- Default Color Alpha
DCALPHA : L1DCCR_DCALPHA_Field := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for L1DCCR_Register use record
DCBLUE at 0 range 0 .. 7;
DCGREEN at 0 range 8 .. 15;
DCRED at 0 range 16 .. 23;
DCALPHA at 0 range 24 .. 31;
end record;
subtype L1BFCR_BF2_Field is HAL.UInt3;
subtype L1BFCR_BF1_Field is HAL.UInt3;
-- Layerx Blending Factors Configuration Register
type L1BFCR_Register is record
-- Blending Factor 2
BF2 : L1BFCR_BF2_Field := 16#7#;
-- unspecified
Reserved_3_7 : HAL.UInt5 := 16#0#;
-- Blending Factor 1
BF1 : L1BFCR_BF1_Field := 16#6#;
-- unspecified
Reserved_11_31 : HAL.UInt21 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for L1BFCR_Register use record
BF2 at 0 range 0 .. 2;
Reserved_3_7 at 0 range 3 .. 7;
BF1 at 0 range 8 .. 10;
Reserved_11_31 at 0 range 11 .. 31;
end record;
subtype L1CFBLR_CFBLL_Field is HAL.UInt13;
subtype L1CFBLR_CFBP_Field is HAL.UInt13;
-- Layerx Color Frame Buffer Length Register
type L1CFBLR_Register is record
-- Color Frame Buffer Line Length
CFBLL : L1CFBLR_CFBLL_Field := 16#0#;
-- unspecified
Reserved_13_15 : HAL.UInt3 := 16#0#;
-- Color Frame Buffer Pitch in bytes
CFBP : L1CFBLR_CFBP_Field := 16#0#;
-- unspecified
Reserved_29_31 : HAL.UInt3 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for L1CFBLR_Register use record
CFBLL at 0 range 0 .. 12;
Reserved_13_15 at 0 range 13 .. 15;
CFBP at 0 range 16 .. 28;
Reserved_29_31 at 0 range 29 .. 31;
end record;
subtype L1CFBLNR_CFBLNBR_Field is HAL.UInt11;
-- Layerx ColorFrame Buffer Line Number Register
type L1CFBLNR_Register is record
-- Frame Buffer Line Number
CFBLNBR : L1CFBLNR_CFBLNBR_Field := 16#0#;
-- unspecified
Reserved_11_31 : HAL.UInt21 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for L1CFBLNR_Register use record
CFBLNBR at 0 range 0 .. 10;
Reserved_11_31 at 0 range 11 .. 31;
end record;
subtype L1CLUTWR_BLUE_Field is HAL.UInt8;
subtype L1CLUTWR_GREEN_Field is HAL.UInt8;
subtype L1CLUTWR_RED_Field is HAL.UInt8;
subtype L1CLUTWR_CLUTADD_Field is HAL.UInt8;
-- Layerx CLUT Write Register
type L1CLUTWR_Register is record
-- Write-only. Blue value
BLUE : L1CLUTWR_BLUE_Field := 16#0#;
-- Write-only. Green value
GREEN : L1CLUTWR_GREEN_Field := 16#0#;
-- Write-only. Red value
RED : L1CLUTWR_RED_Field := 16#0#;
-- Write-only. CLUT Address
CLUTADD : L1CLUTWR_CLUTADD_Field := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for L1CLUTWR_Register use record
BLUE at 0 range 0 .. 7;
GREEN at 0 range 8 .. 15;
RED at 0 range 16 .. 23;
CLUTADD at 0 range 24 .. 31;
end record;
-- Layerx Control Register
type L2CR_Register is record
-- Layer Enable
LEN : Boolean := False;
-- Color Keying Enable
COLKEN : Boolean := False;
-- unspecified
Reserved_2_3 : HAL.UInt2 := 16#0#;
-- Color Look-Up Table Enable
CLUTEN : Boolean := False;
-- unspecified
Reserved_5_31 : HAL.UInt27 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for L2CR_Register use record
LEN at 0 range 0 .. 0;
COLKEN at 0 range 1 .. 1;
Reserved_2_3 at 0 range 2 .. 3;
CLUTEN at 0 range 4 .. 4;
Reserved_5_31 at 0 range 5 .. 31;
end record;
subtype L2WHPCR_WHSTPOS_Field is HAL.UInt12;
subtype L2WHPCR_WHSPPOS_Field is HAL.UInt12;
-- Layerx Window Horizontal Position Configuration Register
type L2WHPCR_Register is record
-- Window Horizontal Start Position
WHSTPOS : L2WHPCR_WHSTPOS_Field := 16#0#;
-- unspecified
Reserved_12_15 : HAL.UInt4 := 16#0#;
-- Window Horizontal Stop Position
WHSPPOS : L2WHPCR_WHSPPOS_Field := 16#0#;
-- unspecified
Reserved_28_31 : HAL.UInt4 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for L2WHPCR_Register use record
WHSTPOS at 0 range 0 .. 11;
Reserved_12_15 at 0 range 12 .. 15;
WHSPPOS at 0 range 16 .. 27;
Reserved_28_31 at 0 range 28 .. 31;
end record;
subtype L2WVPCR_WVSTPOS_Field is HAL.UInt11;
subtype L2WVPCR_WVSPPOS_Field is HAL.UInt11;
-- Layerx Window Vertical Position Configuration Register
type L2WVPCR_Register is record
-- Window Vertical Start Position
WVSTPOS : L2WVPCR_WVSTPOS_Field := 16#0#;
-- unspecified
Reserved_11_15 : HAL.UInt5 := 16#0#;
-- Window Vertical Stop Position
WVSPPOS : L2WVPCR_WVSPPOS_Field := 16#0#;
-- unspecified
Reserved_27_31 : HAL.UInt5 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for L2WVPCR_Register use record
WVSTPOS at 0 range 0 .. 10;
Reserved_11_15 at 0 range 11 .. 15;
WVSPPOS at 0 range 16 .. 26;
Reserved_27_31 at 0 range 27 .. 31;
end record;
subtype L2CKCR_CKBLUE_Field is HAL.UInt8;
subtype L2CKCR_CKGREEN_Field is HAL.UInt7;
subtype L2CKCR_CKRED_Field is HAL.UInt9;
-- Layerx Color Keying Configuration Register
type L2CKCR_Register is record
-- Color Key Blue value
CKBLUE : L2CKCR_CKBLUE_Field := 16#0#;
-- Color Key Green value
CKGREEN : L2CKCR_CKGREEN_Field := 16#0#;
-- Color Key Red value
CKRED : L2CKCR_CKRED_Field := 16#0#;
-- unspecified
Reserved_24_31 : HAL.UInt8 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for L2CKCR_Register use record
CKBLUE at 0 range 0 .. 7;
CKGREEN at 0 range 8 .. 14;
CKRED at 0 range 15 .. 23;
Reserved_24_31 at 0 range 24 .. 31;
end record;
subtype L2PFCR_PF_Field is HAL.UInt3;
-- Layerx Pixel Format Configuration Register
type L2PFCR_Register is record
-- Pixel Format
PF : L2PFCR_PF_Field := 16#0#;
-- unspecified
Reserved_3_31 : HAL.UInt29 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for L2PFCR_Register use record
PF at 0 range 0 .. 2;
Reserved_3_31 at 0 range 3 .. 31;
end record;
subtype L2CACR_CONSTA_Field is HAL.UInt8;
-- Layerx Constant Alpha Configuration Register
type L2CACR_Register is record
-- Constant Alpha
CONSTA : L2CACR_CONSTA_Field := 16#0#;
-- unspecified
Reserved_8_31 : HAL.UInt24 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for L2CACR_Register use record
CONSTA at 0 range 0 .. 7;
Reserved_8_31 at 0 range 8 .. 31;
end record;
subtype L2DCCR_DCBLUE_Field is HAL.UInt8;
subtype L2DCCR_DCGREEN_Field is HAL.UInt8;
subtype L2DCCR_DCRED_Field is HAL.UInt8;
subtype L2DCCR_DCALPHA_Field is HAL.UInt8;
-- Layerx Default Color Configuration Register
type L2DCCR_Register is record
-- Default Color Blue
DCBLUE : L2DCCR_DCBLUE_Field := 16#0#;
-- Default Color Green
DCGREEN : L2DCCR_DCGREEN_Field := 16#0#;
-- Default Color Red
DCRED : L2DCCR_DCRED_Field := 16#0#;
-- Default Color Alpha
DCALPHA : L2DCCR_DCALPHA_Field := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for L2DCCR_Register use record
DCBLUE at 0 range 0 .. 7;
DCGREEN at 0 range 8 .. 15;
DCRED at 0 range 16 .. 23;
DCALPHA at 0 range 24 .. 31;
end record;
subtype L2BFCR_BF2_Field is HAL.UInt3;
subtype L2BFCR_BF1_Field is HAL.UInt3;
-- Layerx Blending Factors Configuration Register
type L2BFCR_Register is record
-- Blending Factor 2
BF2 : L2BFCR_BF2_Field := 16#7#;
-- unspecified
Reserved_3_7 : HAL.UInt5 := 16#0#;
-- Blending Factor 1
BF1 : L2BFCR_BF1_Field := 16#6#;
-- unspecified
Reserved_11_31 : HAL.UInt21 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for L2BFCR_Register use record
BF2 at 0 range 0 .. 2;
Reserved_3_7 at 0 range 3 .. 7;
BF1 at 0 range 8 .. 10;
Reserved_11_31 at 0 range 11 .. 31;
end record;
subtype L2CFBLR_CFBLL_Field is HAL.UInt13;
subtype L2CFBLR_CFBP_Field is HAL.UInt13;
-- Layerx Color Frame Buffer Length Register
type L2CFBLR_Register is record
-- Color Frame Buffer Line Length
CFBLL : L2CFBLR_CFBLL_Field := 16#0#;
-- unspecified
Reserved_13_15 : HAL.UInt3 := 16#0#;
-- Color Frame Buffer Pitch in bytes
CFBP : L2CFBLR_CFBP_Field := 16#0#;
-- unspecified
Reserved_29_31 : HAL.UInt3 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for L2CFBLR_Register use record
CFBLL at 0 range 0 .. 12;
Reserved_13_15 at 0 range 13 .. 15;
CFBP at 0 range 16 .. 28;
Reserved_29_31 at 0 range 29 .. 31;
end record;
subtype L2CFBLNR_CFBLNBR_Field is HAL.UInt11;
-- Layerx ColorFrame Buffer Line Number Register
type L2CFBLNR_Register is record
-- Frame Buffer Line Number
CFBLNBR : L2CFBLNR_CFBLNBR_Field := 16#0#;
-- unspecified
Reserved_11_31 : HAL.UInt21 := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for L2CFBLNR_Register use record
CFBLNBR at 0 range 0 .. 10;
Reserved_11_31 at 0 range 11 .. 31;
end record;
subtype L2CLUTWR_BLUE_Field is HAL.UInt8;
subtype L2CLUTWR_GREEN_Field is HAL.UInt8;
subtype L2CLUTWR_RED_Field is HAL.UInt8;
subtype L2CLUTWR_CLUTADD_Field is HAL.UInt8;
-- Layerx CLUT Write Register
type L2CLUTWR_Register is record
-- Write-only. Blue value
BLUE : L2CLUTWR_BLUE_Field := 16#0#;
-- Write-only. Green value
GREEN : L2CLUTWR_GREEN_Field := 16#0#;
-- Write-only. Red value
RED : L2CLUTWR_RED_Field := 16#0#;
-- Write-only. CLUT Address
CLUTADD : L2CLUTWR_CLUTADD_Field := 16#0#;
end record
with Volatile_Full_Access, Size => 32,
Bit_Order => System.Low_Order_First;
for L2CLUTWR_Register use record
BLUE at 0 range 0 .. 7;
GREEN at 0 range 8 .. 15;
RED at 0 range 16 .. 23;
CLUTADD at 0 range 24 .. 31;
end record;
-----------------
-- Peripherals --
-----------------
-- LCD-TFT Controller
type LTDC_Peripheral is record
-- Synchronization Size Configuration Register
SSCR : aliased SSCR_Register;
-- Back Porch Configuration Register
BPCR : aliased BPCR_Register;
-- Active Width Configuration Register
AWCR : aliased AWCR_Register;
-- Total Width Configuration Register
TWCR : aliased TWCR_Register;
-- Global Control Register
GCR : aliased GCR_Register;
-- Shadow Reload Configuration Register
SRCR : aliased SRCR_Register;
-- Background Color Configuration Register
BCCR : aliased BCCR_Register;
-- Interrupt Enable Register
IER : aliased IER_Register;
-- Interrupt Status Register
ISR : aliased ISR_Register;
-- Interrupt Clear Register
ICR : aliased ICR_Register;
-- Line Interrupt Position Configuration Register
LIPCR : aliased LIPCR_Register;
-- Current Position Status Register
CPSR : aliased CPSR_Register;
-- Current Display Status Register
CDSR : aliased CDSR_Register;
-- Layerx Control Register
L1CR : aliased L1CR_Register;
-- Layerx Window Horizontal Position Configuration Register
L1WHPCR : aliased L1WHPCR_Register;
-- Layerx Window Vertical Position Configuration Register
L1WVPCR : aliased L1WVPCR_Register;
-- Layerx Color Keying Configuration Register
L1CKCR : aliased L1CKCR_Register;
-- Layerx Pixel Format Configuration Register
L1PFCR : aliased L1PFCR_Register;
-- Layerx Constant Alpha Configuration Register
L1CACR : aliased L1CACR_Register;
-- Layerx Default Color Configuration Register
L1DCCR : aliased L1DCCR_Register;
-- Layerx Blending Factors Configuration Register
L1BFCR : aliased L1BFCR_Register;
-- Layerx Color Frame Buffer Address Register
L1CFBAR : aliased HAL.UInt32;
-- Layerx Color Frame Buffer Length Register
L1CFBLR : aliased L1CFBLR_Register;
-- Layerx ColorFrame Buffer Line Number Register
L1CFBLNR : aliased L1CFBLNR_Register;
-- Layerx CLUT Write Register
L1CLUTWR : aliased L1CLUTWR_Register;
-- Layerx Control Register
L2CR : aliased L2CR_Register;
-- Layerx Window Horizontal Position Configuration Register
L2WHPCR : aliased L2WHPCR_Register;
-- Layerx Window Vertical Position Configuration Register
L2WVPCR : aliased L2WVPCR_Register;
-- Layerx Color Keying Configuration Register
L2CKCR : aliased L2CKCR_Register;
-- Layerx Pixel Format Configuration Register
L2PFCR : aliased L2PFCR_Register;
-- Layerx Constant Alpha Configuration Register
L2CACR : aliased L2CACR_Register;
-- Layerx Default Color Configuration Register
L2DCCR : aliased L2DCCR_Register;
-- Layerx Blending Factors Configuration Register
L2BFCR : aliased L2BFCR_Register;
-- Layerx Color Frame Buffer Address Register
L2CFBAR : aliased HAL.UInt32;
-- Layerx Color Frame Buffer Length Register
L2CFBLR : aliased L2CFBLR_Register;
-- Layerx ColorFrame Buffer Line Number Register
L2CFBLNR : aliased L2CFBLNR_Register;
-- Layerx CLUT Write Register
L2CLUTWR : aliased L2CLUTWR_Register;
end record
with Volatile;
for LTDC_Peripheral use record
SSCR at 16#8# range 0 .. 31;
BPCR at 16#C# range 0 .. 31;
AWCR at 16#10# range 0 .. 31;
TWCR at 16#14# range 0 .. 31;
GCR at 16#18# range 0 .. 31;
SRCR at 16#24# range 0 .. 31;
BCCR at 16#2C# range 0 .. 31;
IER at 16#34# range 0 .. 31;
ISR at 16#38# range 0 .. 31;
ICR at 16#3C# range 0 .. 31;
LIPCR at 16#40# range 0 .. 31;
CPSR at 16#44# range 0 .. 31;
CDSR at 16#48# range 0 .. 31;
L1CR at 16#84# range 0 .. 31;
L1WHPCR at 16#88# range 0 .. 31;
L1WVPCR at 16#8C# range 0 .. 31;
L1CKCR at 16#90# range 0 .. 31;
L1PFCR at 16#94# range 0 .. 31;
L1CACR at 16#98# range 0 .. 31;
L1DCCR at 16#9C# range 0 .. 31;
L1BFCR at 16#A0# range 0 .. 31;
L1CFBAR at 16#AC# range 0 .. 31;
L1CFBLR at 16#B0# range 0 .. 31;
L1CFBLNR at 16#B4# range 0 .. 31;
L1CLUTWR at 16#C4# range 0 .. 31;
L2CR at 16#104# range 0 .. 31;
L2WHPCR at 16#108# range 0 .. 31;
L2WVPCR at 16#10C# range 0 .. 31;
L2CKCR at 16#110# range 0 .. 31;
L2PFCR at 16#114# range 0 .. 31;
L2CACR at 16#118# range 0 .. 31;
L2DCCR at 16#11C# range 0 .. 31;
L2BFCR at 16#120# range 0 .. 31;
L2CFBAR at 16#12C# range 0 .. 31;
L2CFBLR at 16#130# range 0 .. 31;
L2CFBLNR at 16#134# range 0 .. 31;
L2CLUTWR at 16#144# range 0 .. 31;
end record;
-- LCD-TFT Controller
LTDC_Periph : aliased LTDC_Peripheral
with Import, Address => System'To_Address (16#40016800#);
end STM32_SVD.LTDC;
|
AaronC98/PlaneSystem | Ada | 5,393 | adb | ------------------------------------------------------------------------------
-- Ada Web Server --
-- --
-- Copyright (C) 2007-2012, AdaCore --
-- --
-- This library is free software; you can redistribute it and/or modify --
-- it under terms of the GNU General Public License as published by the --
-- Free Software Foundation; either version 3, or (at your option) any --
-- later version. This library is distributed in the hope that it will be --
-- useful, but WITHOUT ANY WARRANTY; without even the implied warranty of --
-- MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. --
-- --
-- --
-- --
-- --
-- --
-- You should have received a copy of the GNU General Public License and --
-- a copy of the GCC Runtime Library Exception along with this program; --
-- see the files COPYING3 and COPYING.RUNTIME respectively. If not, see --
-- <http://www.gnu.org/licenses/>. --
-- --
-- --
-- --
-- --
-- --
-- --
-- --
------------------------------------------------------------------------------
with Ada.Strings.Fixed;
with AWS.Net.Buffered;
with AWS.Translator;
package body AWS.SMTP.Authentication.Plain is
use Ada;
-----------------
-- Before_Send --
-----------------
overriding procedure Before_Send
(Credential : Plain.Credential;
Sock : in out Net.Socket_Type'Class;
Status : out SMTP.Status)
is
Answer : Server_Reply;
begin
Net.Buffered.Put_Line (Sock, "AUTH PLAIN " & Image (Credential));
Check_Answer (Sock, Answer);
-- here we might get a request code to provide authentication data, or
-- the usual Requested_Action_Ok. (If the credentials image in
-- Server.Auth has been accepted along with the AUTH PLAIN <image>).
if Answer.Code = Auth_Successful then
null;
elsif Answer.Code = Requested_Action_Ok then
null;
elsif Answer.Code = Provide_Watchword then
Net.Buffered.Put_Line (Sock, Image (Credential));
Check_Answer (Sock, Answer);
if Answer.Code /= Auth_Successful then
Add (Answer, Status);
end if;
else
Add (Answer, Status);
end if;
end Before_Send;
-----------
-- Image --
-----------
overriding function Image (Info : Credential) return String is
UTF_8_NUL : constant Character := Character'Val (0);
-- Part of AUTH PLAIN message text, acting as a separator
-- The message to be sent consists of parts as desribed in
-- RFC4616, 2. PLAIN SASL mechanism,
--
-- message = [authzid] UTF8NUL authcid UTF8NUL passwd
--
-- Authzid is not used.
Message : constant String :=
UTF_8_NUL & Info.Auth_Cid (1 .. Info.Last_A)
& UTF_8_NUL & Info.Password (1 .. Info.Last_P);
-- The Base64 Encode function expects a Stream_Element_Array.
-- Assume that characters can safely be interpreted as stream
-- elements and therefore use unchecked conversion.
begin
return Translator.Base64_Encode
(Translator.To_Stream_Element_Array (Message));
end Image;
----------------
-- Initialize --
----------------
function Initialize (Auth_Cid, Password : String) return Credential is
use Ada.Strings;
Result : Credential;
-- The Strings will be truncated as necessary. Authentication
-- will likely fail when the length of a credential exceeds a
-- buffer size.
begin
pragma Assert
(Auth_Cid'Length <= Result.Auth_Cid'Length
and then Password'Length <= Result.Password'Length);
Fixed.Move
(Source => Auth_Cid,
Target => Result.Auth_Cid,
Drop => Right,
Justify => Left,
Pad => '#');
Result.Last_A := Positive'Min (Result.Auth_Cid'Length, Auth_Cid'Length);
Fixed.Move
(Source => Password,
Target => Result.Password,
Drop => Right,
Justify => Left,
Pad => '#');
Result.Last_P := Positive'Min (Result.Password'Length, Password'Length);
return Result;
end Initialize;
end AWS.SMTP.Authentication.Plain;
|
optikos/oasis | Ada | 3,551 | ads | -- Copyright (c) 2019 Maxim Reznik <[email protected]>
--
-- SPDX-License-Identifier: MIT
-- License-Filename: LICENSE
-------------------------------------------------------------
with Program.Elements.Qualified_Expressions;
with Program.Lexical_Elements;
with Program.Elements.Code_Statements;
with Program.Element_Visitors;
package Program.Nodes.Code_Statements is
pragma Preelaborate;
type Code_Statement is
new Program.Nodes.Node and Program.Elements.Code_Statements.Code_Statement
and Program.Elements.Code_Statements.Code_Statement_Text
with private;
function Create
(Expression : not null Program.Elements.Qualified_Expressions
.Qualified_Expression_Access;
Semicolon_Token : not null Program.Lexical_Elements
.Lexical_Element_Access)
return Code_Statement;
type Implicit_Code_Statement is
new Program.Nodes.Node and Program.Elements.Code_Statements.Code_Statement
with private;
function Create
(Expression : not null Program.Elements.Qualified_Expressions
.Qualified_Expression_Access;
Is_Part_Of_Implicit : Boolean := False;
Is_Part_Of_Inherited : Boolean := False;
Is_Part_Of_Instance : Boolean := False)
return Implicit_Code_Statement
with Pre =>
Is_Part_Of_Implicit or Is_Part_Of_Inherited or Is_Part_Of_Instance;
private
type Base_Code_Statement is
abstract new Program.Nodes.Node
and Program.Elements.Code_Statements.Code_Statement
with record
Expression : not null Program.Elements.Qualified_Expressions
.Qualified_Expression_Access;
end record;
procedure Initialize (Self : aliased in out Base_Code_Statement'Class);
overriding procedure Visit
(Self : not null access Base_Code_Statement;
Visitor : in out Program.Element_Visitors.Element_Visitor'Class);
overriding function Expression
(Self : Base_Code_Statement)
return not null Program.Elements.Qualified_Expressions
.Qualified_Expression_Access;
overriding function Is_Code_Statement_Element
(Self : Base_Code_Statement)
return Boolean;
overriding function Is_Statement_Element
(Self : Base_Code_Statement)
return Boolean;
type Code_Statement is
new Base_Code_Statement
and Program.Elements.Code_Statements.Code_Statement_Text
with record
Semicolon_Token : not null Program.Lexical_Elements
.Lexical_Element_Access;
end record;
overriding function To_Code_Statement_Text
(Self : aliased in out Code_Statement)
return Program.Elements.Code_Statements.Code_Statement_Text_Access;
overriding function Semicolon_Token
(Self : Code_Statement)
return not null Program.Lexical_Elements.Lexical_Element_Access;
type Implicit_Code_Statement is
new Base_Code_Statement
with record
Is_Part_Of_Implicit : Boolean;
Is_Part_Of_Inherited : Boolean;
Is_Part_Of_Instance : Boolean;
end record;
overriding function To_Code_Statement_Text
(Self : aliased in out Implicit_Code_Statement)
return Program.Elements.Code_Statements.Code_Statement_Text_Access;
overriding function Is_Part_Of_Implicit
(Self : Implicit_Code_Statement)
return Boolean;
overriding function Is_Part_Of_Inherited
(Self : Implicit_Code_Statement)
return Boolean;
overriding function Is_Part_Of_Instance
(Self : Implicit_Code_Statement)
return Boolean;
end Program.Nodes.Code_Statements;
|
AdaCore/libadalang | Ada | 127 | ads | package Foo.Bar is
type U_Record is new T_Record with null record;
procedure Test (X : access U_Record);
end Foo.Bar;
|
AdaCore/training_material | Ada | 18 | adb | O : My_Array (2);
|
reznikmm/matreshka | Ada | 4,099 | ads | ------------------------------------------------------------------------------
-- --
-- Matreshka Project --
-- --
-- Open Document Toolkit --
-- --
-- Runtime Library Component --
-- --
------------------------------------------------------------------------------
-- --
-- Copyright © 2014, Vadim Godunko <[email protected]> --
-- All rights reserved. --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions --
-- are met: --
-- --
-- * Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- --
-- * Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in the --
-- documentation and/or other materials provided with the distribution. --
-- --
-- * Neither the name of the Vadim Godunko, IE nor the names of its --
-- contributors may be used to endorse or promote products derived from --
-- this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED --
-- TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR --
-- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF --
-- LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING --
-- NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS --
-- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
-- $Revision$ $Date$
------------------------------------------------------------------------------
with ODF.DOM.Table_Last_Row_Start_Column_Attributes;
package Matreshka.ODF_Table.Last_Row_Start_Column_Attributes is
type Table_Last_Row_Start_Column_Attribute_Node is
new Matreshka.ODF_Table.Abstract_Table_Attribute_Node
and ODF.DOM.Table_Last_Row_Start_Column_Attributes.ODF_Table_Last_Row_Start_Column_Attribute
with null record;
overriding function Create
(Parameters : not null access Matreshka.DOM_Attributes.Attribute_L2_Parameters)
return Table_Last_Row_Start_Column_Attribute_Node;
overriding function Get_Local_Name
(Self : not null access constant Table_Last_Row_Start_Column_Attribute_Node)
return League.Strings.Universal_String;
end Matreshka.ODF_Table.Last_Row_Start_Column_Attributes;
|
reznikmm/matreshka | Ada | 4,813 | adb | ------------------------------------------------------------------------------
-- --
-- Matreshka Project --
-- --
-- Ada Modeling Framework --
-- --
-- Runtime Library Component --
-- --
------------------------------------------------------------------------------
-- --
-- Copyright © 2012, Vadim Godunko <[email protected]> --
-- All rights reserved. --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions --
-- are met: --
-- --
-- * Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- --
-- * Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in the --
-- documentation and/or other materials provided with the distribution. --
-- --
-- * Neither the name of the Vadim Godunko, IE nor the names of its --
-- contributors may be used to endorse or promote products derived from --
-- this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED --
-- TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR --
-- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF --
-- LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING --
-- NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS --
-- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
-- $Revision$ $Date$
------------------------------------------------------------------------------
with AMF.Internals.Factories.MOF_Factories;
with AMF.Internals.Factories.MOFEXT_Module_Factory;
with AMF.Internals.Tables.MOFEXT_Element_Table;
with AMF.Internals.Tables.MOF_Metamodel.Links;
with AMF.Internals.Tables.MOF_Metamodel.Objects;
with AMF.Internals.Tables.MOF_Metamodel.Properties;
with AMF.Internals.Modules.UML_Module;
pragma Unreferenced (AMF.Internals.Modules.UML_Module);
pragma Elaborate_All (AMF.Internals.Modules.UML_Module);
-- UML nodule package and all its dependencies must be elaborated before
-- elaboration of this package.
package body AMF.Internals.Modules.MOFEXT_Module is
-- Global object of factory for supported metamodel.
MOF_Module_Factory : aliased
AMF.Internals.Factories.MOFEXT_Module_Factory.MOF_Module_Factory;
Module : AMF_Metamodel;
begin
-- Register module's factory.
AMF.Internals.Factories.Register (MOF_Module_Factory'Access, Module);
-- Initialize metamodels.
AMF.Internals.Tables.MOF_Metamodel.Objects.Initialize;
AMF.Internals.Tables.MOF_Metamodel.Properties.Initialize;
AMF.Internals.Tables.MOF_Metamodel.Links.Initialize;
-- Initialize element table of MOF metamodel.
AMF.Internals.Tables.MOFEXT_Element_Table.Initialize (Module);
-- Register factories.
AMF.Internals.Factories.Register
(AMF.Internals.Factories.MOF_Factories.Get_Package,
AMF.Internals.Factories.MOF_Factories.Constructor'Access);
end AMF.Internals.Modules.MOFEXT_Module;
|
stcarrez/ada-awa | Ada | 3,607 | adb | -----------------------------------------------------------------------
-- awa-tests-helpers - Helpers for AWA unit tests
-- Copyright (C) 2011, 2017, 2018, 2020 Stephane Carrez
-- Written by Stephane Carrez ([email protected])
--
-- Licensed under the Apache License, Version 2.0 (the "License");
-- you may not use this file except in compliance with the License.
-- You may obtain a copy of the License at
--
-- http://www.apache.org/licenses/LICENSE-2.0
--
-- Unless required by applicable law or agreed to in writing, software
-- distributed under the License is distributed on an "AS IS" BASIS,
-- WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-- See the License for the specific language governing permissions and
-- limitations under the License.
-----------------------------------------------------------------------
with GNAT.Regpat;
package body AWA.Tests.Helpers is
-- ------------------------------
-- Extract from the Location header the part that is after the given base string.
-- If the Location header does not start with the base string, returns the empty
-- string.
-- ------------------------------
function Extract_Redirect (Reply : in ASF.Responses.Mockup.Response'Class;
Base : in String) return String is
R : constant String := Reply.Get_Header ("Location");
begin
if R'Length < Base'Length then
return "";
elsif R (R'First .. R'First + Base'Length - 1) /= Base then
return "";
else
return R (R'First + Base'Length .. R'Last);
end if;
end Extract_Redirect;
function Extract_Redirect (Reply : in ASF.Responses.Mockup.Response'Class;
Base : in String) return Ada.Strings.Unbounded.Unbounded_String is
begin
return Ada.Strings.Unbounded.To_Unbounded_String (Extract_Redirect (Reply, Base));
end Extract_Redirect;
-- ------------------------------
-- Extract from the response content a link with a given title.
-- ------------------------------
function Extract_Link (Content : in String;
Title : in String) return String is
use GNAT.Regpat;
Pattern : constant String := " href=""([a-zA-Z0-9/]+)"">" & Title & "</a>";
Regexp : constant Pattern_Matcher := Compile (Expression => Pattern);
Result : GNAT.Regpat.Match_Array (0 .. 1);
begin
Match (Regexp, Content, Result);
if Result (1) = GNAT.Regpat.No_Match then
return "";
end if;
return Content (Result (1).First .. Result (1).Last);
end Extract_Link;
-- ------------------------------
-- Extract from the response content an HTML identifier that was generated
-- with the given prefix. The format is assumed to be <prefix>-<number>.
-- ------------------------------
function Extract_Identifier (Content : in String;
Prefix : in String) return ADO.Identifier is
use GNAT.Regpat;
Pattern : constant String := ".*[\\""']" & Prefix & "\-([0-9]+)[\\""']";
Regexp : constant Pattern_Matcher := Compile (Expression => Pattern);
Result : GNAT.Regpat.Match_Array (0 .. 1);
begin
Match (Regexp, Content, Result);
if Result (1) = GNAT.Regpat.No_Match then
return ADO.NO_IDENTIFIER;
end if;
return ADO.Identifier'Value (Content (Result (1).First .. Result (1).Last));
exception
when Constraint_Error =>
return ADO.NO_IDENTIFIER;
end Extract_Identifier;
end AWA.Tests.Helpers;
|
reznikmm/matreshka | Ada | 1,047 | ads | with League.Strings;
limited with IRC.Sessions;
package IRC.Listeners is
type Listener is limited interface;
-- This type gets notification about events received by Session
not overriding procedure On_Message
(Self : access Listener;
Session : access IRC.Sessions.Session'Class;
Target : League.Strings.Universal_String;
Source : League.Strings.Universal_String;
Text : League.Strings.Universal_String) is null;
-- Notification on new message
not overriding procedure On_Notice
(Self : access Listener;
Session : access IRC.Sessions.Session'Class;
Target : League.Strings.Universal_String;
Source : League.Strings.Universal_String;
Text : League.Strings.Universal_String) is null;
-- Notification on new message
not overriding procedure On_Ping
(Self : access Listener;
Session : access IRC.Sessions.Session'Class;
Source : League.Strings.Universal_String) is null;
-- Notification on ping request
end IRC.Listeners;
|
damaki/SPARKNaCl | Ada | 1,442 | adb | with SPARKNaCl; use SPARKNaCl;
with SPARKNaCl.Cryptobox; use SPARKNaCl.Cryptobox;
with SPARKNaCl.Stream;
with Ada.Text_IO; use Ada.Text_IO;
with Interfaces; use Interfaces;
with Random;
procedure Box7
is
Raw_SK : Bytes_32;
AliceSK, BobSK : Secret_Key;
AlicePK, BobPK : Public_Key;
N : Stream.HSalsa20_Nonce;
S, S2 : Boolean;
begin
-- for MLen in N32 range 0 .. 999 loop
for MLen in N32 range 0 .. 99 loop
Random.Random_Bytes (Raw_SK);
Keypair (Raw_SK, AlicePK, AliceSK);
Random.Random_Bytes (Raw_SK);
Keypair (Raw_SK, BobPK, BobSK);
Random.Random_Bytes (Bytes_24 (N));
Put ("Box7 - iteration" & MLen'Img);
declare
subtype Text is
Byte_Seq (0 .. Plaintext_Zero_Bytes + MLen - 1);
M, C, M2 : Text := (others => 0);
begin
Random.Random_Bytes (M (Plaintext_Zero_Bytes .. M'Last));
Create (C, S, M, N, BobPK, AliceSK);
if S then
Open (M2, S2, C, N, AlicePK, BobSK);
if S2 then
if not Equal (M, M2) then
Put_Line ("bad decryption");
exit;
else
Put_Line (" OK");
end if;
else
Put_Line ("ciphertext fails verification");
end if;
else
Put_Line ("bad encryption");
end if;
end;
end loop;
end Box7;
|
apple-oss-distributions/old_ncurses | Ada | 4,060 | adb | ------------------------------------------------------------------------------
-- --
-- GNAT ncurses Binding --
-- --
-- Terminal_Interface.Curses.Menus.Menu_User_Data --
-- --
-- B O D Y --
-- --
------------------------------------------------------------------------------
-- Copyright (c) 1998 Free Software Foundation, Inc. --
-- --
-- Permission is hereby granted, free of charge, to any person obtaining a --
-- copy of this software and associated documentation files (the --
-- "Software"), to deal in the Software without restriction, including --
-- without limitation the rights to use, copy, modify, merge, publish, --
-- distribute, distribute with modifications, sublicense, and/or sell --
-- copies of the Software, and to permit persons to whom the Software is --
-- furnished to do so, subject to the following conditions: --
-- --
-- The above copyright notice and this permission notice shall be included --
-- in all copies or substantial portions of the Software. --
-- --
-- THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS --
-- OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF --
-- MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. --
-- IN NO EVENT SHALL THE ABOVE COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, --
-- DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR --
-- OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR --
-- THE USE OR OTHER DEALINGS IN THE SOFTWARE. --
-- --
-- Except as contained in this notice, the name(s) of the above copyright --
-- holders shall not be used in advertising or otherwise to promote the --
-- sale, use or other dealings in this Software without prior written --
-- authorization. --
------------------------------------------------------------------------------
-- Author: Juergen Pfeifer <[email protected]> 1996
-- Version Control:
-- $Revision: 1.1.1.1 $
-- Binding Version 01.00
------------------------------------------------------------------------------
with Terminal_Interface.Curses.Aux; use Terminal_Interface.Curses.Aux;
package body Terminal_Interface.Curses.Menus.Menu_User_Data is
use type Interfaces.C.int;
procedure Set_User_Data (Men : in Menu;
Data : in User_Access)
is
function Set_Menu_Userptr (Men : Menu;
Data : User_Access) return C_Int;
pragma Import (C, Set_Menu_Userptr, "set_menu_userptr");
Res : constant Eti_Error := Set_Menu_Userptr (Men, Data);
begin
if Res /= E_Ok then
Eti_Exception (Res);
end if;
end Set_User_Data;
function Get_User_Data (Men : in Menu) return User_Access
is
function Menu_Userptr (Men : Menu) return User_Access;
pragma Import (C, Menu_Userptr, "menu_userptr");
begin
return Menu_Userptr (Men);
end Get_User_Data;
procedure Get_User_Data (Men : in Menu;
Data : out User_Access)
is
begin
Data := Get_User_Data (Men);
end Get_User_Data;
end Terminal_Interface.Curses.Menus.Menu_User_Data;
|
AdaCore/training_material | Ada | 9,890 | adb | with Interfaces; use Interfaces;
with Surfaces; use Surfaces;
with Pixels;
package body BMP_File_IO is
-- Bitmap file format definition:
-- The file is composed of
--
-- +------------------------+
-- | Header |
-- +------------------------+
-- | Info |
-- +------------------------+
-- | Compression (optional) |
-- +------------------------+
-- | Palette (optional) |
-- +------------------------+
-- | Pixels |
-- +------------------------+
--
-- Compression Header is present iif Info.Compression is /= 0 and /= 3
-- (this is the case for the files given)
--
-- Palette is present iif Palette_Size /= 0
--
-- Palette colors are stored as 4 bytes entries
--
-- +---+---+---+----------+
-- | R | G | B | Reserved |
-- +---+---+---+----------+
--
-- If there is no palette, pixels are directly stored, as either
-- 4 bytes (Pixel_Size = 32).
-- This is the case for the dummy files, and for the rotating_triangle movie.
--
-- +---+---+---+----------+
-- | R | G | B | Reserved |
-- +---+---+---+----------+
--
-- or 3 bytes (Pixel_Size = 24). This is the case for the sunset file.
--
-- +---+---+---+
-- | R | G | B |
-- +---+---+---+
--
-- Else, if there is a palette, Pixels are stored as an Index to the palette,
-- of size Info.Pixel_Size. This is the case for the nian cat movie.
--
-- +-----------+
-- | Color_Idx |
-- +-----------+
type U8_Array is array (Natural range <>) of Unsigned_8;
type Header (As_Array : Boolean := True) is record
case As_Array is
when True =>
Arr : U8_Array (1 .. 14);
when False =>
Signature : Integer_16;
Size : Integer_32; -- File size
Reserved1 : Integer_16;
Reserved2 : Integer_16;
Offset : Integer_32; -- Data offset
end case;
end record with Unchecked_Union, Pack, Size => 14 * 8;
type Info (As_Array : Boolean := True) is record
case As_Array is
when True =>
Arr : U8_Array (1 .. 40);
when False =>
Struct_Size : Integer_32;
Width : Integer_32; -- Image width in pixels
Height : Integer_32; -- Image hieght in pixels
Planes : Integer_16;
Pixel_Size : Integer_16; -- Bits per pixel
Compression : Integer_32; -- Zero means no compression
Image_Size : Integer_32; -- Size of the image data in UInt8s
PPMX : Integer_32; -- Pixels per meter in x led
PPMY : Integer_32; -- Pixels per meter in y led
Palette_Size : Integer_32; -- Number of colors
Important : Integer_32;
end case;
end record with Unchecked_Union, Pack, Size => 40 * 8;
subtype Pix_Val_Arr_32 is U8_Array (1 .. 4);
-- Only supporting 256 x 32 bits palettes
subtype Color_Table_Size_T is Natural range Natural'First .. 256 * Pix_Val_Arr_32'Length;
type Color_Array is array (Positive range <>) of Pix_Val_Arr_32;
type Color_Table (Size : Color_Table_Size_T := Color_Table_Size_T'First) is record
Arr : Color_Array (1 .. Size);
end record with Pack;
procedure Read_Surface_Data
(Surf : in out Surface_T;
Col : Color_Table;
Pixel_Size : Natural;
Input_Stream : Ada.Streams.Stream_IO.Stream_Access);
-- Read the content of an input stream of bytes that is the pixels data part of
-- a BMP file and convert it to a surface data, according to the given color table,
-- and pixel size.
procedure Read_Surface_Data
(Surf : in out Surface_T;
Col : Color_Table;
Pixel_Size : Natural;
Input_Stream : Ada.Streams.Stream_IO.Stream_Access) is
--$ begin answer
Height : constant Row_T := Surf'Length (1);
Width : constant Column_T := Surf'Length (2);
--$ end answer
--$ begin question
-- TODO: calculate the size of a row of pixels
Row_Size : constant Integer_32 := 0;
--$ end question
--$ line answer
Row_Size : constant Integer_32 := Integer_32 (Natural (Width) * Pixel_Size);
-- Rows have a 32 bits padding
Row_Padding : constant Integer_32 := (32 - (Row_Size mod 32)) mod 32 / 8;
--$ begin answer
subtype Pix_Val_Arr is U8_Array (1 .. Pixel_Size / 8);
Padding : U8_Array (1 .. Integer (Row_Padding));
subtype PC is Pixels.Pixel_Component_T;
--$ end answer
begin
--$ begin question
-- TODO
-- Be careful of several things:
-- 1. the rows are stored for the bottom one to the top one
-- 2. the color data is not necessarily used, depending on the
-- size of the color data table (0 or not)
-- 3. even though the color index may be of several sizes, you can
-- safely assume it is on 8 bits, using a Unsigned_8
null;
--$ end question
--$ begin answer
for X in reverse 1 .. Height loop
for Y in 1 .. Width loop
if Col.Arr'Length = 0 then
declare
Pix_In : Pix_Val_Arr;
begin
U8_Array'Read (Input_Stream, Pix_In);
Surf (X, Y)
:= (PC (Pix_In (1)), PC (Pix_In (2)), PC (Pix_In (3)), 255);
end;
else
declare
CT_Idx : Unsigned_8;
begin
Unsigned_8'Read (Input_Stream, CT_Idx);
declare
Pix_In : constant Pix_Val_Arr
:= Col.Arr (Color_Table_Size_T (Natural (CT_Idx + 1)));
begin
Surf (X, Y)
:= (PC (Pix_In (1)), PC (Pix_In (2)), PC (Pix_In (3)), 255);
end;
end;
end if;
end loop;
U8_Array'Read (Input_Stream, Padding);
end loop;
--$ end answer
end Read_Surface_Data;
function Get (File : File_Type) return Surface_T
is
--$ begin answer
-- 'Read is not understood as modifying the stream
pragma Warnings (Off, "could be declared constant");
--$ end answer
-- cannot read from a file type, directly, need
-- to have a stream from it
Input_Stream : Ada.Streams.Stream_IO.Stream_Access
--$ line question
:= null; -- TODO: Turn file to a stream
--$ line answer
:= Ada.Streams.Stream_IO.Stream (File);
--$ line answer
pragma Warnings (Off, "could be declared constant");
Hdr : Header;
Inf : Info;
Col : Color_Table;
Width : Column_T;
Height : Row_T;
begin
-- Reading BMP header
U8_Array'Read (Input_Stream, Hdr.Arr);
-- Reading BMP info table
U8_Array'Read (Input_Stream, Inf.Arr);
--$ begin question
-- TODO
-- The color table is stored with a size given
-- in the info table
Col := (others => <>);
-- TODO
-- Verify the header's and info table's content
-- signature should be as per the BMP spec above
-- supported compression scheme are 0 or 3
-- supported pixel sizes are: 4 bytes, 3 bytes,
-- or else 1 byte (index to the palette)
-- TODO
-- Jump to the proper pixel data offset (see in Header)
-- TODO
-- Read the file's BMP pixels raw data, and convert those
-- to a Surface
return S : Surface_T (1 .. 0, 1 .. 0);
--$ end question
--$ begin answer
Col := (Size => Natural (Inf.Palette_Size),
others => <>);
Color_Array'Read (Input_Stream, Col.Arr);
Width := Column_T (Inf.Width);
Height := Row_T (Inf.Height);
-- signature should be as per the BMP spec above
pragma Assert (Hdr.Signature = 16#4d42#);
-- supported compression scheme are 0 or 3
pragma Assert (Inf.Compression = 0 or Inf.Compression = 3);
-- supported pixel sizes are: 4 bytes, 3 bytes,
-- 1 byte (index to the palette)
pragma Assert (Inf.Pixel_Size = 32 or Inf.Pixel_Size = 24
or (Inf.Pixel_Size = 8 and Inf.Palette_Size > 0));
-- Jump to the proper pixel data offset (see in Header)
Set_Index (File, Positive_Count (Hdr.Offset + 1));
-- Read the file's BMP pixels raw data, and convert those to RGB
-- Tip: use Read_Surface_Data you've already written
return S : Surface_T (1 .. Height, 1 .. Width) do
Read_Surface_Data (S, Col, Positive (Inf.Pixel_Size), Input_Stream);
end return;
--$ end answer
end Get;
function Get (File_Name : String) return Surfaces.Surface_T is
File : File_Type;
begin
-- Open file, read BMP info, close file
--$ begin question
-- TODO
-- Open the file, read its content as a surface,
-- close the file.
-- In order to read the content, re-use the Get from a
-- stream you have already implemented above.
return S : Surfaces.Surface_T (1 .. 0, 1 ..0);
--$ end question
--$ begin answer
Open (File, In_File, File_Name);
return S : Surface_T := Get (File) do
Close (File);
end return;
--$ end answer
exception
when others =>
-- release all resources, and re-raise
--$ begin question
-- TODO
-- In case of error, we want to close the
-- opened file, and re-raise the exception
return S : Surfaces.Surface_T (1 .. 0, 1 ..0);
--$ end question
--$ begin answer
Close (File);
raise;
--$ end answer
end Get;
end BMP_File_IO;
|
reznikmm/matreshka | Ada | 3,709 | ads | ------------------------------------------------------------------------------
-- --
-- Matreshka Project --
-- --
-- Open Document Toolkit --
-- --
-- Runtime Library Component --
-- --
------------------------------------------------------------------------------
-- --
-- Copyright © 2014, Vadim Godunko <[email protected]> --
-- All rights reserved. --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions --
-- are met: --
-- --
-- * Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- --
-- * Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in the --
-- documentation and/or other materials provided with the distribution. --
-- --
-- * Neither the name of the Vadim Godunko, IE nor the names of its --
-- contributors may be used to endorse or promote products derived from --
-- this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED --
-- TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR --
-- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF --
-- LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING --
-- NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS --
-- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
-- $Revision$ $Date$
------------------------------------------------------------------------------
with XML.DOM.Elements;
package ODF.DOM.Db_Data_Source_Setting_Elements is
pragma Preelaborate;
type ODF_Db_Data_Source_Setting is limited interface
and XML.DOM.Elements.DOM_Element;
type ODF_Db_Data_Source_Setting_Access is
access all ODF_Db_Data_Source_Setting'Class
with Storage_Size => 0;
end ODF.DOM.Db_Data_Source_Setting_Elements;
|
godunko/adagl | Ada | 9,631 | adb | ------------------------------------------------------------------------------
-- --
-- Ada binding for OpenGL/WebGL --
-- --
-- Runtime Library Component --
-- --
------------------------------------------------------------------------------
-- --
-- Copyright © 2016-2018, Vadim Godunko <[email protected]> --
-- All rights reserved. --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions --
-- are met: --
-- --
-- * Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- --
-- * Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in the --
-- documentation and/or other materials provided with the distribution. --
-- --
-- * Neither the name of the Vadim Godunko, IE nor the names of its --
-- contributors may be used to endorse or promote products derived from --
-- this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED --
-- TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR --
-- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF --
-- LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING --
-- NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS --
-- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
with OpenGL.Contexts.Internals;
with OpenGL.Renderbuffers.Internals;
with OpenGL.Textures.Internals;
package body OpenGL.Framebuffers is
use type WebAPI.WebGL.Framebuffers.WebGL_Framebuffer_Access;
use type WebAPI.WebGL.Rendering_Contexts.WebGL_Rendering_Context_Access;
----------
-- Bind --
----------
function Bind (Self : in out OpenGL_Framebuffer'Class) return Boolean is
begin
if Self.Context = null
or Self.Context /= OpenGL.Contexts.Internals.Current_WebGL_Context
or Self.Framebuffer = null
then
return False;
end if;
Self.Context.Bind_Framebuffer
(WebAPI.WebGL.Rendering_Contexts.FRAMEBUFFER, Self.Framebuffer);
return True;
end Bind;
----------
-- Bind --
----------
procedure Bind (Self : in out OpenGL_Framebuffer'Class) is
begin
if not Self.Bind then
raise Program_Error;
end if;
end Bind;
------------
-- Create --
------------
function Create (Self : in out OpenGL_Framebuffer'Class) return Boolean is
begin
if Self.Context = null then
Self.Context := OpenGL.Contexts.Internals.Current_WebGL_Context;
if Self.Context = null then
return False;
end if;
end if;
if Self.Framebuffer = null then
Self.Framebuffer := Self.Context.Create_Framebuffer;
if Self.Framebuffer = null then
return False;
end if;
end if;
return True;
end Create;
------------
-- Create --
------------
procedure Create (Self : in out OpenGL_Framebuffer'Class) is
begin
if not Self.Create then
raise Program_Error;
end if;
end Create;
------------
-- Delete --
------------
procedure Delete (Self : in out OpenGL_Framebuffer'Class) is
begin
if Self.Context = null
or Self.Context /= OpenGL.Contexts.Internals.Current_WebGL_Context
or Self.Framebuffer = null
then
return;
end if;
Self.Context.Delete_Framebuffer (Self.Framebuffer);
Self.Framebuffer := null;
Self.Context := null;
end Delete;
-----------------
-- Read_Pixels --
-----------------
procedure Read_Pixels
(Self : in out OpenGL_Framebuffer'Class;
X : OpenGL.GLint;
Y : OpenGL.GLint;
Width : OpenGL.GLsizei;
Height : OpenGL.GLsizei;
Data : out OpenGL.GLubyte_Vector_4_Array) is
begin
if Self.Context = null
or Self.Context /= OpenGL.Contexts.Internals.Current_WebGL_Context
or Self.Framebuffer = null
then
return;
end if;
Self.Context.Read_Pixels
(WebAPI.WebGL.GLint (X),
WebAPI.WebGL.GLint (Y),
WebAPI.WebGL.GLsizei (Width),
WebAPI.WebGL.GLsizei (Height),
WebAPI.WebGL.Rendering_Contexts.RGBA,
WebAPI.WebGL.Rendering_Contexts.UNSIGNED_BYTE,
Data'Address);
end Read_Pixels;
-------------
-- Release --
-------------
procedure Release (Self : in out OpenGL_Framebuffer'Class) is
begin
if Self.Context = null
or Self.Context /= OpenGL.Contexts.Internals.Current_WebGL_Context
or Self.Framebuffer = null
then
return;
end if;
Self.Context.Bind_Framebuffer
(WebAPI.WebGL.Rendering_Contexts.FRAMEBUFFER, null);
end Release;
----------------------
-- Set_Renderbuffer --
----------------------
procedure Set_Renderbuffer
(Self : in out OpenGL_Framebuffer'Class;
Renderbuffer : OpenGL.Renderbuffers.OpenGL_Renderbuffer'Class;
Attachment : OpenGL.GLenum) is
begin
if Self.Context = null
or Self.Context /= OpenGL.Contexts.Internals.Current_WebGL_Context
or Self.Framebuffer = null
then
return;
end if;
Self.Context.Framebuffer_Renderbuffer
(WebAPI.WebGL.Rendering_Contexts.FRAMEBUFFER,
(case Attachment is
when OpenGL.GL_COLOR_ATTACHMENT0 =>
WebAPI.WebGL.Rendering_Contexts.COLOR_ATTACHMENT0,
when OpenGL.GL_DEPTH_ATTACHMENT =>
WebAPI.WebGL.Rendering_Contexts.DEPTH_ATTACHMENT,
when OpenGL.GL_STENCIL_ATTACHMENT =>
WebAPI.WebGL.Rendering_Contexts.STENCIL_ATTACHMENT,
when others =>
WebAPI.WebGL.Rendering_Contexts.COLOR_ATTACHMENT0),
-- raise Constraint_Error),
WebAPI.WebGL.Rendering_Contexts.RENDERBUFFER,
OpenGL.Renderbuffers.Internals.Get_WebGL_Renderbuffer (Renderbuffer));
end Set_Renderbuffer;
-----------------
-- Set_Texture --
-----------------
procedure Set_Texture
(Self : in out OpenGL_Framebuffer'Class;
Texture : OpenGL.Textures.OpenGL_Texture'Class;
Attachment : OpenGL.GLenum) is
begin
if Self.Context = null
or Self.Context /= OpenGL.Contexts.Internals.Current_WebGL_Context
or Self.Framebuffer = null
then
return;
end if;
Self.Context.Framebuffer_Texture_2D
(WebAPI.WebGL.Rendering_Contexts.FRAMEBUFFER,
(case Attachment is
when OpenGL.GL_COLOR_ATTACHMENT0 =>
WebAPI.WebGL.Rendering_Contexts.COLOR_ATTACHMENT0,
when OpenGL.GL_DEPTH_ATTACHMENT =>
WebAPI.WebGL.Rendering_Contexts.DEPTH_ATTACHMENT,
when OpenGL.GL_STENCIL_ATTACHMENT =>
WebAPI.WebGL.Rendering_Contexts.STENCIL_ATTACHMENT,
when others =>
WebAPI.WebGL.Rendering_Contexts.COLOR_ATTACHMENT0),
-- raise Constraint_Error),
(case Texture.Texture_Type is
when Texture_2D =>
WebAPI.WebGL.Rendering_Contexts.TEXTURE_2D,
when Cube_Map_Positive_X =>
WebAPI.WebGL.Rendering_Contexts.TEXTURE_CUBE_MAP_POSITIVE_X,
when Cube_Map_Negative_X =>
WebAPI.WebGL.Rendering_Contexts.TEXTURE_CUBE_MAP_NEGATIVE_X,
when Cube_Map_Positive_Y =>
WebAPI.WebGL.Rendering_Contexts.TEXTURE_CUBE_MAP_POSITIVE_Y,
when Cube_Map_Negative_Y =>
WebAPI.WebGL.Rendering_Contexts.TEXTURE_CUBE_MAP_NEGATIVE_Y,
when Cube_Map_Positive_Z =>
WebAPI.WebGL.Rendering_Contexts.TEXTURE_CUBE_MAP_POSITIVE_Z,
when Cube_Map_Negative_Z =>
WebAPI.WebGL.Rendering_Contexts.TEXTURE_CUBE_MAP_NEGATIVE_Z),
OpenGL.Textures.Internals.Get_WebGL_Texture (Texture),
0);
end Set_Texture;
end OpenGL.Framebuffers;
|
charlie5/cBound | Ada | 1,249 | ads | -- This file is generated by SWIG. Please do not modify by hand.
--
with xcb.xcb_request_error_t;
with Interfaces.C;
with Interfaces.C.Pointers;
package xcb.xcb_access_error_t is
-- Item
--
subtype Item is xcb.xcb_request_error_t.Item;
-- Item_Array
--
type Item_Array is
array
(Interfaces.C.size_t range <>) of aliased xcb.xcb_access_error_t.Item;
-- Pointer
--
package C_Pointers is new Interfaces.C.Pointers
(Index => Interfaces.C.size_t,
Element => xcb.xcb_access_error_t.Item,
Element_Array => xcb.xcb_access_error_t.Item_Array,
Default_Terminator => (others => <>));
subtype Pointer is C_Pointers.Pointer;
-- Pointer_Array
--
type Pointer_Array is
array
(Interfaces.C.size_t range <>) of aliased xcb.xcb_access_error_t
.Pointer;
-- Pointer_Pointer
--
package C_Pointer_Pointers is new Interfaces.C.Pointers
(Index => Interfaces.C.size_t,
Element => xcb.xcb_access_error_t.Pointer,
Element_Array => xcb.xcb_access_error_t.Pointer_Array,
Default_Terminator => null);
subtype Pointer_Pointer is C_Pointer_Pointers.Pointer;
end xcb.xcb_access_error_t;
|
reznikmm/gela | Ada | 9,019 | adb | ------------------------------------------------------------------------------
-- G E L A G R A M M A R S --
-- Library for dealing with tests for for Gela project, --
-- a portable Ada compiler --
-- http://gela.ada-ru.org/ --
-- - - - - - - - - - - - - - - - --
-- Read copyright and license in gela.ads file --
------------------------------------------------------------------------------
with Ada.Containers.Ordered_Maps;
with League.String_Vectors;
with XML.SAX.Attributes;
with XML.SAX.Content_Handlers;
with XML.SAX.Input_Sources.Streams.Files;
with XML.SAX.Simple_Readers;
package body Gela.Test_Cases.Valgrind is
package Report_Readers is
package Maps is new Ada.Containers.Ordered_Maps
(League.Strings.Universal_String, Natural);
type Report_Reader is limited new
XML.SAX.Content_Handlers.SAX_Content_Handler with
record
Error : League.Strings.Universal_String;
Errors : Maps.Map;
end record;
overriding function Error_String
(Self : Report_Reader)
return League.Strings.Universal_String;
overriding procedure Start_Element
(Self : in out Report_Reader;
Namespace_URI : League.Strings.Universal_String;
Local_Name : League.Strings.Universal_String;
Qualified_Name : League.Strings.Universal_String;
Attributes : XML.SAX.Attributes.SAX_Attributes;
Success : in out Boolean);
overriding procedure End_Element
(Self : in out Report_Reader;
Namespace_URI : League.Strings.Universal_String;
Local_Name : League.Strings.Universal_String;
Qualified_Name : League.Strings.Universal_String;
Success : in out Boolean);
overriding procedure Characters
(Self : in out Report_Reader;
Text : League.Strings.Universal_String;
Success : in out Boolean);
end Report_Readers;
package body Report_Readers is
Kind : constant League.Strings.Universal_String :=
League.Strings.To_Universal_String ("kind");
----------------
-- Characters --
----------------
overriding procedure Characters
(Self : in out Report_Reader;
Text : League.Strings.Universal_String;
Success : in out Boolean) is
pragma Unreferenced (Success);
begin
Self.Error.Append (Text);
end Characters;
-----------------
-- End_Element --
-----------------
overriding procedure End_Element
(Self : in out Report_Reader;
Namespace_URI : League.Strings.Universal_String;
Local_Name : League.Strings.Universal_String;
Qualified_Name : League.Strings.Universal_String;
Success : in out Boolean) is
pragma Unreferenced (Namespace_URI, Qualified_Name, Success);
begin
if Local_Name = Kind then
declare
Cursor : constant Maps.Cursor := Self.Errors.Find (Self.Error);
begin
if Maps.Has_Element (Cursor) then
Self.Errors.Replace_Element
(Cursor, Maps.Element (Cursor) + 1);
else
Self.Errors.Insert (Self.Error, 1);
end if;
end;
end if;
end End_Element;
-----------------
-- End_Element --
-----------------
overriding function Error_String
(Self : Report_Reader)
return League.Strings.Universal_String
is
pragma Unreferenced (Self);
begin
return League.Strings.Empty_Universal_String;
end Error_String;
-------------------
-- Start_Element --
-------------------
overriding procedure Start_Element
(Self : in out Report_Reader;
Namespace_URI : League.Strings.Universal_String;
Local_Name : League.Strings.Universal_String;
Qualified_Name : League.Strings.Universal_String;
Attributes : XML.SAX.Attributes.SAX_Attributes;
Success : in out Boolean)
is
pragma Unreferenced (Namespace_URI);
pragma Unreferenced (Local_Name, Qualified_Name, Attributes, Success);
begin
Self.Error.Clear;
end Start_Element;
end Report_Readers;
------------
-- Create --
------------
function Create
(Run_Test : Gela.Test_Cases.Execute.Test_Case_Access)
return Test_Cases.Test_Case_Access
is
Prefix : League.String_Vectors.Universal_String_Vector;
Arguments : League.String_Vectors.Universal_String_Vector :=
Run_Test.Arguments;
Result : constant Test_Case :=
(Run_Test => Run_Test,
Errors => False,
Output => League.Strings.Empty_Universal_String);
begin
Prefix.Append (To_Universal_String ("--xml=yes"));
Prefix.Append ("--xml-file=" & Result.Valgrind_Report);
Prefix.Append (To_Universal_String ("--suppressions=../valgrind.supp"));
Prefix.Append (Run_Test.Command);
Arguments.Prepend (Prefix);
Run_Test.Set_Command
(Command => To_Universal_String ("valgrind"),
Arguments => Arguments);
return new Test_Case'(Result);
end Create;
--------------
-- Duration --
--------------
function Duration (Self : Test_Case) return League.Calendars.Time is
begin
return Self.Run_Test.Duration;
end Duration;
----------
-- File --
----------
function File (Self : Test_Case) return League.Strings.Universal_String is
begin
return Self.Run_Test.File;
end File;
-------------
-- Fixture --
-------------
function Fixture
(Self : Test_Case)
return League.Strings.Universal_String
is
begin
return Self.Run_Test.Fixture;
end Fixture;
----------
-- Name --
----------
function Name (Self : Test_Case) return League.Strings.Universal_String is
begin
return "valgrind " & Self.Run_Test.Name;
end Name;
------------
-- Output --
------------
function Output
(Self : Test_Case)
return League.Strings.Universal_String
is
begin
if Self.Output.Is_Empty then
return Self.Run_Test.Output;
else
return Self.Output;
end if;
end Output;
--------------------------
-- Read_Valgrind_Report --
--------------------------
not overriding procedure Read_Valgrind_Report (Self : in out Test_Case) is
Source : aliased XML.SAX.Input_Sources.Streams.Files.File_Input_Source;
Reader : aliased XML.SAX.Simple_Readers.Simple_Reader;
Handler : aliased Report_Readers.Report_Reader;
begin
Reader.Set_Content_Handler (Handler'Unchecked_Access);
Source.Open_By_File_Name (Self.Valgrind_Report);
Reader.Parse (Source'Access);
declare
use Report_Readers;
Leak_Definitely_Lost : constant League.Strings.Universal_String :=
League.Strings.To_Universal_String ("Leak_DefinitelyLost");
Cursor : Maps.Cursor := Handler.Errors.First;
begin
while Maps.Has_Element (Cursor) loop
Self.Output.Append (Maps.Key (Cursor));
Self.Output.Append (" = ");
Self.Output.Append
(Natural'Wide_Wide_Image (Maps.Element (Cursor)));
Self.Output.Append (Wide_Wide_Character'Val (10));
if Maps.Key (Cursor) /= Leak_Definitely_Lost then
Self.Errors := True;
end if;
Cursor := Maps.Next (Cursor);
end loop;
end;
end Read_Valgrind_Report;
---------
-- Run --
---------
procedure Run (Self : in out Test_Case) is
begin
Self.Run_Test.Run;
if Self.Run_Test.Status = Success then
Self.Read_Valgrind_Report;
end if;
end Run;
------------
-- Status --
------------
function Status (Self : Test_Case) return Test_Cases.Status_Kind is
begin
if Self.Errors then
return Gela.Test_Cases.Failure;
else
return Self.Run_Test.Status;
end if;
end Status;
---------------
-- Traceback --
---------------
function Traceback
(Self : Test_Case)
return League.Strings.Universal_String
is
begin
return Self.Run_Test.Traceback;
end Traceback;
---------------------
-- Valgrind_Report --
---------------------
not overriding
function Valgrind_Report
(Self : Test_Case) return League.Strings.Universal_String is
begin
return Self.Run_Test.Build & "/" & Self.Run_Test.Name & "-valgrind.xml";
end Valgrind_Report;
end Gela.Test_Cases.Valgrind;
|
reznikmm/matreshka | Ada | 4,001 | ads | ------------------------------------------------------------------------------
-- --
-- Matreshka Project --
-- --
-- Open Document Toolkit --
-- --
-- Runtime Library Component --
-- --
------------------------------------------------------------------------------
-- --
-- Copyright © 2014, Vadim Godunko <[email protected]> --
-- All rights reserved. --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions --
-- are met: --
-- --
-- * Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- --
-- * Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in the --
-- documentation and/or other materials provided with the distribution. --
-- --
-- * Neither the name of the Vadim Godunko, IE nor the names of its --
-- contributors may be used to endorse or promote products derived from --
-- this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED --
-- TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR --
-- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF --
-- LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING --
-- NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS --
-- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
-- $Revision$ $Date$
------------------------------------------------------------------------------
with ODF.DOM.Draw_Style_Name_Attributes;
package Matreshka.ODF_Draw.Style_Name_Attributes is
type Draw_Style_Name_Attribute_Node is
new Matreshka.ODF_Draw.Abstract_Draw_Attribute_Node
and ODF.DOM.Draw_Style_Name_Attributes.ODF_Draw_Style_Name_Attribute
with null record;
overriding function Create
(Parameters : not null access Matreshka.DOM_Attributes.Attribute_L2_Parameters)
return Draw_Style_Name_Attribute_Node;
overriding function Get_Local_Name
(Self : not null access constant Draw_Style_Name_Attribute_Node)
return League.Strings.Universal_String;
end Matreshka.ODF_Draw.Style_Name_Attributes;
|
reznikmm/matreshka | Ada | 4,568 | ads | ------------------------------------------------------------------------------
-- --
-- Matreshka Project --
-- --
-- Ada Modeling Framework --
-- --
-- Runtime Library Component --
-- --
------------------------------------------------------------------------------
-- --
-- Copyright © 2011-2012, Vadim Godunko <[email protected]> --
-- All rights reserved. --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions --
-- are met: --
-- --
-- * Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- --
-- * Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in the --
-- documentation and/or other materials provided with the distribution. --
-- --
-- * Neither the name of the Vadim Godunko, IE nor the names of its --
-- contributors may be used to endorse or promote products derived from --
-- this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED --
-- TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR --
-- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF --
-- LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING --
-- NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS --
-- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
-- $Revision$ $Date$
------------------------------------------------------------------------------
-- This file is generated, don't edit it.
------------------------------------------------------------------------------
-- A specific kind of file that is not an «Executable», «Library», «Script»
-- or «Source». Subclass of «File».
------------------------------------------------------------------------------
with AMF.Standard_Profile_L2.Files;
limited with AMF.UML.Artifacts;
package AMF.Standard_Profile_L2.Documents is
pragma Preelaborate;
type Standard_Profile_L2_Document is limited interface
and AMF.Standard_Profile_L2.Files.Standard_Profile_L2_File;
type Standard_Profile_L2_Document_Access is
access all Standard_Profile_L2_Document'Class;
for Standard_Profile_L2_Document_Access'Storage_Size use 0;
overriding function Get_Base_Artifact
(Self : not null access constant Standard_Profile_L2_Document)
return AMF.UML.Artifacts.UML_Artifact_Access is abstract;
-- Getter of Document::base_Artifact.
--
overriding procedure Set_Base_Artifact
(Self : not null access Standard_Profile_L2_Document;
To : AMF.UML.Artifacts.UML_Artifact_Access) is abstract;
-- Setter of Document::base_Artifact.
--
end AMF.Standard_Profile_L2.Documents;
|
reznikmm/matreshka | Ada | 3,995 | ads | ------------------------------------------------------------------------------
-- --
-- Matreshka Project --
-- --
-- Open Document Toolkit --
-- --
-- Runtime Library Component --
-- --
------------------------------------------------------------------------------
-- --
-- Copyright © 2014, Vadim Godunko <[email protected]> --
-- All rights reserved. --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions --
-- are met: --
-- --
-- * Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- --
-- * Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in the --
-- documentation and/or other materials provided with the distribution. --
-- --
-- * Neither the name of the Vadim Godunko, IE nor the names of its --
-- contributors may be used to endorse or promote products derived from --
-- this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED --
-- TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR --
-- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF --
-- LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING --
-- NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS --
-- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
-- $Revision$ $Date$
------------------------------------------------------------------------------
with ODF.DOM.Chart_Repeated_Attributes;
package Matreshka.ODF_Chart.Repeated_Attributes is
type Chart_Repeated_Attribute_Node is
new Matreshka.ODF_Chart.Abstract_Chart_Attribute_Node
and ODF.DOM.Chart_Repeated_Attributes.ODF_Chart_Repeated_Attribute
with null record;
overriding function Create
(Parameters : not null access Matreshka.DOM_Attributes.Attribute_L2_Parameters)
return Chart_Repeated_Attribute_Node;
overriding function Get_Local_Name
(Self : not null access constant Chart_Repeated_Attribute_Node)
return League.Strings.Universal_String;
end Matreshka.ODF_Chart.Repeated_Attributes;
|
PThierry/ewok-kernel | Ada | 2,026 | adb | --
-- Copyright 2018 The wookey project team <[email protected]>
-- - Ryad Benadjila
-- - Arnauld Michelizza
-- - Mathieu Renard
-- - Philippe Thierry
-- - Philippe Trebuchet
--
-- Licensed under the Apache License, Version 2.0 (the "License");
-- you may not use this file except in compliance with the License.
-- You may obtain a copy of the License at
--
-- http://www.apache.org/licenses/LICENSE-2.0
--
-- Unless required by applicable law or agreed to in writing, software
-- distributed under the License is distributed on an "AS IS" BASIS,
-- WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-- See the License for the specific language governing permissions and
-- limitations under the License.
--
--
with ewok.debug;
with soc.rng;
package body ewok.rng
with spark_mode => off
is
procedure random_array
(tab : out unsigned_8_array;
success : out boolean)
is
rand : unsigned_32;
rand_bytes : unsigned_8_array (1 .. 4)
with
address => rand'address,
size => 4 * byte'size;
index : unsigned_32;
ok : boolean;
begin
index := tab'first;
while index < tab'last loop
soc.rng.random (rand, ok);
if not ok then
pragma DEBUG (debug.log (debug.ERROR, "RNG failed!"));
success := false;
return;
end if;
if index + 3 <= tab'last then
tab(index .. index + 3) := rand_bytes;
else
tab(index .. tab'last) := rand_bytes(1 .. tab'last - index + 1);
end if;
index := index + 4;
end loop;
success := true;
end random_array;
procedure random
(rand : out unsigned_32;
success : out boolean)
is
begin
soc.rng.random (rand, success);
if not success then
pragma DEBUG (debug.log (debug.ERROR, "RNG failed!"));
end if;
end random;
end ewok.rng;
|
MinimSecure/unum-sdk | Ada | 820 | adb | -- Copyright 2017-2019 Free Software Foundation, Inc.
--
-- This program is free software; you can redistribute it and/or modify
-- it under the terms of the GNU General Public License as published by
-- the Free Software Foundation; either version 3 of the License, or
-- (at your option) any later version.
--
-- This program is distributed in the hope that it will be useful,
-- but WITHOUT ANY WARRANTY; without even the implied warranty of
-- MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
-- GNU General Public License for more details.
--
-- You should have received a copy of the GNU General Public License
-- along with this program. If not, see <http://www.gnu.org/licenses/>.
with Pck; use Pck;
procedure Foo_QB07_057 is
begin
Increment (Some_Minimal_Symbol);
end Foo_QB07_057;
|
sungyeon/drake | Ada | 263 | ads | pragma License (Unrestricted);
-- implementation unit required by compiler
package System.Val_Real is
pragma Pure;
-- required for Float'Value by compiler (s-valrea.ads)
function Value_Real (Str : String) return Long_Long_Float;
end System.Val_Real;
|
AdaCore/libadalang | Ada | 92 | ads | with D_Data;
with PT;
package DT is
package PT_I is new PT (Pkg => D_Data.Pkg);
end DT;
|
reznikmm/matreshka | Ada | 5,510 | adb | ------------------------------------------------------------------------------
-- --
-- Matreshka Project --
-- --
-- XML Processor --
-- --
-- Runtime Library Component --
-- --
------------------------------------------------------------------------------
-- --
-- Copyright © 2010-2011, Vadim Godunko <[email protected]> --
-- All rights reserved. --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions --
-- are met: --
-- --
-- * Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- --
-- * Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in the --
-- documentation and/or other materials provided with the distribution. --
-- --
-- * Neither the name of the Vadim Godunko, IE nor the names of its --
-- contributors may be used to endorse or promote products derived from --
-- this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED --
-- TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR --
-- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF --
-- LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING --
-- NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS --
-- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
-- $Revision$ $Date$
------------------------------------------------------------------------------
package body XML.SAX.Locators is
use type Matreshka.Internals.SAX_Locators.Shared_Locator_Access;
------------
-- Adjust --
------------
overriding procedure Adjust (Self : in out SAX_Locator) is
begin
if Self.Data /= null then
Matreshka.Internals.SAX_Locators.Reference (Self.Data);
end if;
end Adjust;
--------------
-- Base_URI --
--------------
function Base_URI (Self : SAX_Locator'Class) return League.IRIs.IRI is
begin
return Self.Data.Base_URI;
end Base_URI;
------------
-- Column --
------------
function Column (Self : SAX_Locator'Class) return Natural is
begin
return Self.Data.Column;
end Column;
--------------
-- Encoding --
--------------
function Encoding
(Self : SAX_Locator'Class) return League.Strings.Universal_String is
begin
return Self.Data.Encoding;
end Encoding;
--------------
-- Finalize --
--------------
overriding procedure Finalize (Self : in out SAX_Locator) is
begin
-- Finalize can be called more than once (as specified by language
-- standard), thus implementation should provide protection from
-- multiple finalization.
if Self.Data /= null then
Matreshka.Internals.SAX_Locators.Dereference (Self.Data);
end if;
end Finalize;
----------
-- Line --
----------
function Line (Self : SAX_Locator'Class) return Natural is
begin
return Self.Data.Line;
end Line;
---------------
-- Public_Id --
---------------
function Public_Id
(Self : SAX_Locator'Class) return League.Strings.Universal_String is
begin
return Self.Data.Public_Id;
end Public_Id;
---------------
-- System_Id --
---------------
function System_Id
(Self : SAX_Locator'Class) return League.Strings.Universal_String is
begin
return Self.Data.System_Id;
end System_Id;
-------------
-- Version --
-------------
function Version
(Self : SAX_Locator'Class) return League.Strings.Universal_String is
begin
return Self.Data.Version;
end Version;
end XML.SAX.Locators;
|
reznikmm/matreshka | Ada | 3,629 | ads | ------------------------------------------------------------------------------
-- --
-- Matreshka Project --
-- --
-- Open Document Toolkit --
-- --
-- Runtime Library Component --
-- --
------------------------------------------------------------------------------
-- --
-- Copyright © 2013, Vadim Godunko <[email protected]> --
-- All rights reserved. --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions --
-- are met: --
-- --
-- * Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- --
-- * Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in the --
-- documentation and/or other materials provided with the distribution. --
-- --
-- * Neither the name of the Vadim Godunko, IE nor the names of its --
-- contributors may be used to endorse or promote products derived from --
-- this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED --
-- TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR --
-- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF --
-- LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING --
-- NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS --
-- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
-- $Revision$ $Date$
------------------------------------------------------------------------------
with XML.DOM.Elements;
package ODF.DOM.Elements.Table.Table_Row is
type ODF_Table_Table_Row is
new XML.DOM.Elements.DOM_Element with private;
private
type ODF_Table_Table_Row is
new XML.DOM.Elements.DOM_Element with null record;
end ODF.DOM.Elements.Table.Table_Row;
|
sungyeon/drake | Ada | 25,113 | adb | package body Ada.Strings.Generic_Unbounded.Generic_Functions is
function Index (
Source : Unbounded_String;
Pattern : String_Type;
From : Positive;
Going : Direction := Forward)
return Natural
is
pragma Suppress (Access_Check);
begin
return Fixed_Functions.Index (
Source.Data.Items (1 .. Source.Length),
Pattern,
From,
Going);
end Index;
function Index (
Source : Unbounded_String;
Pattern : String_Type;
Going : Direction := Forward)
return Natural
is
pragma Suppress (Access_Check);
begin
return Fixed_Functions.Index (
Source.Data.Items (1 .. Source.Length),
Pattern,
Going);
end Index;
function Index_Non_Blank (
Source : Unbounded_String;
From : Positive;
Going : Direction := Forward)
return Natural
is
pragma Suppress (Access_Check);
begin
return Fixed_Functions.Index_Non_Blank (
Source.Data.Items (1 .. Source.Length),
From,
Going);
end Index_Non_Blank;
function Index_Non_Blank (
Source : Unbounded_String;
Going : Direction := Forward)
return Natural
is
pragma Suppress (Access_Check);
begin
return Fixed_Functions.Index_Non_Blank (
Source.Data.Items (1 .. Source.Length),
Going);
end Index_Non_Blank;
function Count (Source : Unbounded_String; Pattern : String_Type)
return Natural
is
pragma Suppress (Access_Check);
begin
return Fixed_Functions.Count (
Source.Data.Items (1 .. Source.Length),
Pattern);
end Count;
function Replace_Slice (
Source : Unbounded_String;
Low : Positive;
High : Natural;
By : String_Type)
return Unbounded_String
is
pragma Check (Pre,
Check =>
(Low <= Source.Length + 1 and then High <= Source.Length)
or else raise Index_Error);
pragma Suppress (Access_Check);
begin
return Result : Unbounded_String do
if By'Length > 0 or else Low <= High then
if By'Length = 0 and then High = Source.Length then
Assign (Result, Source); -- shared
Set_Length (Result, Low - 1);
elsif Low > Source.Length then
Assign (Result, Source); -- shared
Append (Result, By);
else
Set_Length (
Result,
Source.Length + By'Length - Integer'Max (High - Low + 1, 0));
declare
Dummy_Last : Natural;
begin
Fixed_Functions.Replace_Slice (
Source.Data.Items (1 .. Source.Length),
Low,
High,
By,
Target => Result.Data.Items.all,
Target_Last => Dummy_Last);
end;
end if;
else
Assign (Result, Source); -- shared
end if;
end return;
end Replace_Slice;
procedure Replace_Slice (
Source : in out Unbounded_String;
Low : Positive;
High : Natural;
By : String_Type)
is
pragma Check (Pre,
Check =>
(Low <= Source.Length + 1 and then High <= Source.Length)
or else raise Index_Error); -- CXA4032
pragma Suppress (Access_Check);
begin
if By'Length > 0 or else Low <= High then
if By'Length = 0 and then High = Source.Length then
Set_Length (Source, Low - 1);
elsif Low > Source.Length then
Append (Source, By);
else
declare
Old_Length : constant Natural := Source.Length;
New_Length : Natural;
begin
Unique_And_Set_Length (
Source,
Old_Length
+ Integer'Max (
By'Length - Integer'Max (High - Low + 1, 0),
0));
New_Length := Old_Length;
Fixed_Functions.Replace_Slice (
Source.Data.Items.all, -- (1 .. Source.Length)
New_Length,
Low,
High,
By);
Set_Length (Source, New_Length);
end;
end if;
end if;
end Replace_Slice;
function Insert (
Source : Unbounded_String;
Before : Positive;
New_Item : String_Type)
return Unbounded_String
is
pragma Check (Pre,
Check => Before <= Source.Length + 1 or else raise Index_Error);
pragma Suppress (Access_Check);
begin
return Result : Unbounded_String do
if New_Item'Length > 0 then
if Before > Source.Length then
Assign (Result, Source); -- shared
Append (Result, New_Item);
else
Set_Length (Result, Source.Length + New_Item'Length);
declare
Dummy_Last : Natural;
begin
Fixed_Functions.Insert (
Source.Data.Items (1 .. Source.Length),
Before,
New_Item,
Target => Result.Data.Items.all,
Target_Last => Dummy_Last);
end;
end if;
else
Assign (Result, Source); -- shared
end if;
end return;
end Insert;
procedure Insert (
Source : in out Unbounded_String;
Before : Positive;
New_Item : String_Type)
is
pragma Check (Pre,
Check =>
Before <= Source.Length + 1
or else raise Index_Error); -- CXA4032
pragma Suppress (Access_Check);
begin
if New_Item'Length > 0 then
if Before > Source.Length then
Append (Source, New_Item);
else
declare
Old_Length : constant Natural := Source.Length;
New_Length : Natural;
begin
Unique_And_Set_Length (Source, Old_Length + New_Item'Length);
New_Length := Old_Length;
Fixed_Functions.Insert (
Source.Data.Items.all, -- (1 .. Source.Length)
New_Length,
Before,
New_Item);
Set_Length (Source, New_Length);
end;
end if;
end if;
end Insert;
function Overwrite (
Source : Unbounded_String;
Position : Positive;
New_Item : String_Type)
return Unbounded_String is
begin
return Replace_Slice (
Source,
Position, -- checking Index_Error
Integer'Min (Position + New_Item'Length - 1, Source.Length),
New_Item);
end Overwrite;
procedure Overwrite (
Source : in out Unbounded_String;
Position : Positive;
New_Item : String_Type) is
begin
Replace_Slice (
Source,
Position, -- checking Index_Error, CXA4032
Integer'Min (Position + New_Item'Length - 1, Source.Length),
New_Item);
end Overwrite;
function Delete (
Source : Unbounded_String;
From : Positive;
Through : Natural)
return Unbounded_String
is
pragma Check (Pre,
Check =>
(From <= Source.Length + 1 and then Through <= Source.Length)
or else raise Index_Error);
pragma Suppress (Access_Check);
begin
return Result : Unbounded_String do
if From <= Through then
if Through >= Source.Length then
Assign (Result, Source); -- shared
Set_Length (Result, From - 1);
else
Set_Length (Result, Source.Length - (Through - From + 1));
declare
Dummy_Last : Natural;
begin
Fixed_Functions.Delete (
Source.Data.Items (1 .. Source.Length),
From,
Through,
Target => Result.Data.Items.all,
Target_Last => Dummy_Last);
end;
end if;
else
Assign (Result, Source); -- shared
end if;
end return;
end Delete;
procedure Delete (
Source : in out Unbounded_String;
From : Positive;
Through : Natural)
is
pragma Check (Pre,
Check =>
(From <= Source.Length + 1 and then Through <= Source.Length)
or else raise Index_Error);
pragma Suppress (Access_Check);
begin
if From <= Through then
declare
Old_Length : constant Natural := Source.Length;
New_Length : Natural;
begin
if Through >= Old_Length then
New_Length := From - 1;
else
New_Length := Old_Length;
Unique (Source); -- for overwriting
Fixed_Functions.Delete (
Source.Data.Items.all, -- (1 .. Old_Length)
New_Length,
From,
Through);
end if;
Set_Length (Source, New_Length);
end;
end if;
end Delete;
function Trim (
Source : Unbounded_String;
Side : Trim_End;
Blank : Character_Type := Fixed_Functions.Space)
return Unbounded_String
is
pragma Suppress (Access_Check);
First : Positive;
Last : Natural;
begin
Fixed_Functions.Trim (
Source.Data.Items (1 .. Source.Length),
Side,
Blank,
First,
Last);
return Unbounded_Slice (Source, First, Last);
end Trim;
procedure Trim (
Source : in out Unbounded_String;
Side : Trim_End;
Blank : Character_Type := Fixed_Functions.Space)
is
pragma Suppress (Access_Check);
First : Positive;
Last : Natural;
begin
Fixed_Functions.Trim (
Source.Data.Items (1 .. Source.Length),
Side,
Blank,
First,
Last);
Unbounded_Slice (Source, Source, First, Last);
end Trim;
function Head (
Source : Unbounded_String;
Count : Natural;
Pad : Character_Type := Fixed_Functions.Space)
return Unbounded_String
is
pragma Suppress (Access_Check);
begin
return Result : Unbounded_String do
if Count > Source.Length then
Set_Length (Result, Count);
declare
Dummy_Last : Natural;
begin
Fixed_Functions.Head (
Source.Data.Items (1 .. Source.Length),
Count,
Pad,
Target => Result.Data.Items.all,
Target_Last => Dummy_Last);
end;
else
Assign (Result, Source); -- shared
Set_Length (Result, Count);
end if;
end return;
end Head;
procedure Head (
Source : in out Unbounded_String;
Count : Natural;
Pad : Character_Type := Fixed_Functions.Space)
is
pragma Suppress (Access_Check);
begin
if Count > Source.Length then
declare
New_Last : Natural := Source.Length;
begin
Set_Length (Source, Count);
Fixed_Functions.Head (
Source.Data.Items.all, -- (1 .. Count)
New_Last,
Count,
Pad);
end;
else
Set_Length (Source, Count);
end if;
end Head;
function Tail (
Source : Unbounded_String;
Count : Natural;
Pad : Character_Type := Fixed_Functions.Space)
return Unbounded_String
is
pragma Suppress (Access_Check);
begin
return Result : Unbounded_String do
if Count /= Source.Length then
Set_Length (Result, Count);
declare
Dummy_Last : Natural;
begin
Fixed_Functions.Tail (
Source.Data.Items (1 .. Source.Length),
Count,
Pad,
Target => Result.Data.Items.all,
Target_Last => Dummy_Last);
end;
else
Assign (Result, Source); -- shared
end if;
end return;
end Tail;
procedure Tail (
Source : in out Unbounded_String;
Count : Natural;
Pad : Character_Type := Fixed_Functions.Space)
is
pragma Suppress (Access_Check);
begin
if Count /= Source.Length then
if Count > 0 then
declare
Old_Length : constant Natural := Source.Length;
Dummy_Last : Natural;
begin
Unique_And_Set_Length (Source, Integer'Max (Count, Old_Length));
Fixed_Functions.Tail (
Source.Data.Items (1 .. Old_Length),
Count,
Pad,
Target => Source.Data.Items.all, -- copying
Target_Last => Dummy_Last);
end;
end if;
Set_Length (Source, Count);
end if;
end Tail;
function "*" (Left : Natural; Right : Character_Type)
return Unbounded_String
is
pragma Suppress (Access_Check);
begin
return Result : Unbounded_String do
Set_Length (Result, Left);
for I in 1 .. Left loop
Result.Data.Items (I) := Right;
end loop;
end return;
end "*";
function "*" (Left : Natural; Right : String_Type)
return Unbounded_String
is
pragma Suppress (Access_Check);
Right_Length : constant Natural := Right'Length;
begin
return Result : Unbounded_String do
Set_Length (Result, Left * Right_Length);
declare
Last : Natural := 0;
begin
for I in 1 .. Left loop
Result.Data.Items (Last + 1 .. Last + Right_Length) :=
Right;
Last := Last + Right_Length;
end loop;
end;
end return;
end "*";
function "*" (Left : Natural; Right : Unbounded_String)
return Unbounded_String
is
pragma Suppress (Access_Check);
begin
return Left * Right.Data.Items (1 .. Right.Length);
end "*";
package body Generic_Maps is
function Index (
Source : Unbounded_String;
Pattern : String_Type;
From : Positive;
Going : Direction := Forward;
Mapping : Fixed_Maps.Character_Mapping)
return Natural
is
pragma Suppress (Access_Check);
begin
return Fixed_Maps.Index (
Source.Data.Items (1 .. Source.Length),
Pattern,
From,
Going,
Mapping);
end Index;
function Index (
Source : Unbounded_String;
Pattern : String_Type;
Going : Direction := Forward;
Mapping : Fixed_Maps.Character_Mapping)
return Natural
is
pragma Suppress (Access_Check);
begin
return Fixed_Maps.Index (
Source.Data.Items (1 .. Source.Length),
Pattern,
Going,
Mapping);
end Index;
function Index (
Source : Unbounded_String;
Pattern : String_Type;
From : Positive;
Going : Direction := Forward;
Mapping : not null access function (From : Wide_Wide_Character)
return Wide_Wide_Character)
return Natural
is
pragma Suppress (Access_Check);
begin
return Fixed_Maps.Index (
Source.Data.Items (1 .. Source.Length),
Pattern,
From,
Going,
Mapping);
end Index;
function Index (
Source : Unbounded_String;
Pattern : String_Type;
Going : Direction := Forward;
Mapping : not null access function (From : Wide_Wide_Character)
return Wide_Wide_Character)
return Natural
is
pragma Suppress (Access_Check);
begin
return Fixed_Maps.Index (
Source.Data.Items (1 .. Source.Length),
Pattern,
Going,
Mapping);
end Index;
function Index_Element (
Source : Unbounded_String;
Pattern : String_Type;
From : Positive;
Going : Direction := Forward;
Mapping : not null access function (From : Character_Type)
return Character_Type)
return Natural
is
pragma Suppress (Access_Check);
begin
return Fixed_Maps.Index_Element (
Source.Data.Items (1 .. Source.Length),
Pattern,
From,
Going,
Mapping);
end Index_Element;
function Index_Element (
Source : Unbounded_String;
Pattern : String_Type;
Going : Direction := Forward;
Mapping : not null access function (From : Character_Type)
return Character_Type)
return Natural
is
pragma Suppress (Access_Check);
begin
return Fixed_Maps.Index_Element (
Source.Data.Items (1 .. Source.Length),
Pattern,
Going,
Mapping);
end Index_Element;
function Index (
Source : Unbounded_String;
Set : Fixed_Maps.Character_Set;
From : Positive;
Test : Membership := Inside;
Going : Direction := Forward)
return Natural
is
pragma Suppress (Access_Check);
begin
return Fixed_Maps.Index (
Source.Data.Items (1 .. Source.Length),
Set,
From,
Test,
Going);
end Index;
function Index (
Source : Unbounded_String;
Set : Fixed_Maps.Character_Set;
Test : Membership := Inside;
Going : Direction := Forward)
return Natural
is
pragma Suppress (Access_Check);
begin
return Fixed_Maps.Index (
Source.Data.Items (1 .. Source.Length),
Set,
Test,
Going);
end Index;
function Count (
Source : Unbounded_String;
Pattern : String_Type;
Mapping : Fixed_Maps.Character_Mapping)
return Natural
is
pragma Suppress (Access_Check);
begin
return Fixed_Maps.Count (
Source.Data.Items (1 .. Source.Length),
Pattern,
Mapping);
end Count;
function Count (
Source : Unbounded_String;
Pattern : String_Type;
Mapping : not null access function (From : Wide_Wide_Character)
return Wide_Wide_Character)
return Natural
is
pragma Suppress (Access_Check);
begin
return Fixed_Maps.Count (
Source.Data.Items (1 .. Source.Length),
Pattern,
Mapping);
end Count;
function Count_Element (
Source : Unbounded_String;
Pattern : String_Type;
Mapping : not null access function (From : Character_Type)
return Character_Type)
return Natural
is
pragma Suppress (Access_Check);
begin
return Fixed_Maps.Count_Element (
Source.Data.Items (1 .. Source.Length),
Pattern,
Mapping);
end Count_Element;
function Count (
Source : Unbounded_String;
Set : Fixed_Maps.Character_Set)
return Natural
is
pragma Suppress (Access_Check);
begin
return Fixed_Maps.Count (Source.Data.Items (1 .. Source.Length), Set);
end Count;
procedure Find_Token (
Source : Unbounded_String;
Set : Fixed_Maps.Character_Set;
From : Positive;
Test : Membership;
First : out Positive;
Last : out Natural)
is
pragma Suppress (Access_Check);
begin
Fixed_Maps.Find_Token (
Source.Data.Items (1 .. Source.Length),
Set,
From,
Test,
First,
Last);
end Find_Token;
procedure Find_Token (
Source : Unbounded_String;
Set : Fixed_Maps.Character_Set;
Test : Membership;
First : out Positive;
Last : out Natural)
is
pragma Suppress (Access_Check);
begin
Fixed_Maps.Find_Token (
Source.Data.Items (1 .. Source.Length),
Set,
Test,
First,
Last);
end Find_Token;
function Translate (
Source : Unbounded_String;
Mapping : Fixed_Maps.Character_Mapping)
return Unbounded_String
is
pragma Suppress (Access_Check);
begin
return Result : Unbounded_String do
Set_Length (Result, Source.Length * Fixed_Maps.Expanding);
declare
New_Length : Natural;
begin
Fixed_Maps.Translate (
Source.Data.Items (1 .. Source.Length),
Mapping,
Target => Result.Data.Items.all,
Target_Last => New_Length);
Set_Length (Result, New_Length);
end;
end return;
end Translate;
procedure Translate (
Source : in out Unbounded_String;
Mapping : Fixed_Maps.Character_Mapping)
is
pragma Suppress (Access_Check); -- finalizer
begin
-- Translate can not update destructively.
Assign (Source, Translate (Source, Mapping));
end Translate;
function Translate (
Source : Unbounded_String;
Mapping : not null access function (From : Wide_Wide_Character)
return Wide_Wide_Character)
return Unbounded_String
is
pragma Suppress (Access_Check);
begin
return Result : Unbounded_String do
Set_Length (Result, Source.Length * Fixed_Maps.Expanding);
declare
New_Length : Natural;
begin
Fixed_Maps.Translate (
Source.Data.Items (1 .. Source.Length),
Mapping,
Target => Result.Data.Items.all,
Target_Last => New_Length);
Set_Length (Result, New_Length);
end;
end return;
end Translate;
procedure Translate (
Source : in out Unbounded_String;
Mapping : not null access function (From : Wide_Wide_Character)
return Wide_Wide_Character)
is
pragma Suppress (Access_Check); -- finalizer
begin
-- Translate can not update destructively.
Assign (Source, Translate (Source, Mapping));
end Translate;
function Translate_Element (
Source : Unbounded_String;
Mapping : not null access function (From : Character_Type)
return Character_Type)
return Unbounded_String
is
pragma Suppress (Access_Check);
begin
return Result : Unbounded_String do
Set_Length (Result, Source.Length);
Fixed_Maps.Translate_Element (
Source.Data.Items (1 .. Source.Length),
Mapping,
Target => Result.Data.Items (1 .. Source.Length));
end return;
end Translate_Element;
procedure Translate_Element (
Source : in out Unbounded_String;
Mapping : not null access function (From : Character_Type)
return Character_Type)
is
pragma Suppress (Access_Check);
begin
Unique (Source);
Fixed_Maps.Translate_Element (
Source.Data.Items (1 .. Source.Length),
Mapping);
end Translate_Element;
function Trim (
Source : Unbounded_String;
Left : Fixed_Maps.Character_Set;
Right : Fixed_Maps.Character_Set)
return Unbounded_String
is
pragma Suppress (Access_Check);
First : Positive;
Last : Natural;
begin
Fixed_Maps.Trim (
Source.Data.Items (1 .. Source.Length),
Left,
Right,
First,
Last);
return Unbounded_Slice (Source, First, Last);
end Trim;
procedure Trim (
Source : in out Unbounded_String;
Left : Fixed_Maps.Character_Set;
Right : Fixed_Maps.Character_Set)
is
pragma Suppress (Access_Check);
First : Positive;
Last : Natural;
begin
Fixed_Maps.Trim (
Source.Data.Items (1 .. Source.Length),
Left,
Right,
First,
Last);
Unbounded_Slice (Source, Source, First, Last);
end Trim;
end Generic_Maps;
end Ada.Strings.Generic_Unbounded.Generic_Functions;
|
Componolit/libsparkcrypto | Ada | 6,455 | ads | -------------------------------------------------------------------------------
-- This file is part of libsparkcrypto.
--
-- Copyright (C) 2010, Alexander Senier
-- Copyright (C) 2010, secunet Security Networks AG
-- All rights reserved.
--
-- Redistribution and use in source and binary forms, with or without
-- modification, are permitted provided that the following conditions are met:
--
-- * Redistributions of source code must retain the above copyright notice,
-- this list of conditions and the following disclaimer.
--
-- * Redistributions in binary form must reproduce the above copyright
-- notice, this list of conditions and the following disclaimer in the
-- documentation and/or other materials provided with the distribution.
--
-- * Neither the name of the nor the names of its contributors may be used
-- to endorse or promote products derived from this software without
-- specific prior written permission.
--
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
-- AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
-- IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
-- ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS
-- BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR
-- CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF
-- SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS
-- INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN
-- CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
-- ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
-- POSSIBILITY OF SUCH DAMAGE.
-------------------------------------------------------------------------------
with LSC.Internal.Types;
use type LSC.Internal.Types.Word32;
use type LSC.Internal.Types.Index;
-------------------------------------------------------------------------------
-- The AES algorithm
--
-- <ul>
-- <li>
-- <a href="http://csrc.nist.gov/publications/fips/fips197/fips-197.pdf">
-- FIPS PUB 197, Advanced Encryption Standard (AES), National Institute of
-- Standards and Technology, U.S. Department of Commerce, November 2001. </a>
-- </li>
--
-- <li>
-- <a href="http://csrc.nist.gov/archive/aes/rijndael/Rijndael-ammended.pdf">
-- Joan Daemen and Vincent Rijmen, AES submission document on Rijndael,
-- Version 2, September 1999.</a>
-- </li>
-- </ul>
-------------------------------------------------------------------------------
package LSC.Internal.AES is
pragma Pure;
-- AES encryption context
type AES_Enc_Context is private;
-- AES decryption context
type AES_Dec_Context is private;
-- Index of AES key
subtype Key_Index is Types.Index range 0 .. 7;
-- AES key
type Key_Type is array (Key_Index range <>) of Types.Word32;
-- Index of AES-128 key
subtype AES128_Key_Index is Types.Index range 0 .. 3;
-- AES-128 key
subtype AES128_Key_Type is Key_Type (AES128_Key_Index);
-- Index of AES-192 key
subtype AES192_Key_Index is Types.Index range 0 .. 5;
-- AES-192 key
subtype AES192_Key_Type is Key_Type (AES192_Key_Index);
-- Index of AES-256 key
subtype AES256_Key_Index is Types.Index range 0 .. 7;
-- AES-256 key
subtype AES256_Key_Type is Key_Type (AES256_Key_Index);
-- Index of AES block
subtype Block_Index is Types.Index range 0 .. 3;
-- AES block
subtype Block_Type is Types.Word32_Array_Type (Block_Index);
-- Index of AES message
subtype Message_Index is Natural;
-- AES message (unconstrained array of AES blocks)
type Message_Type is array (Message_Index range <>) of Block_Type;
-- Create AES-128 encryption context from AES-128 @Key@
function Create_AES128_Enc_Context (Key : AES128_Key_Type) return AES_Enc_Context;
-- Create AES-192 encryption context from AES-192 @Key@
function Create_AES192_Enc_Context (Key : AES192_Key_Type) return AES_Enc_Context;
-- Create AES-256 encryption context from AES-256 @Key@
function Create_AES256_Enc_Context (Key : AES256_Key_Type) return AES_Enc_Context;
-- Encrypt one @Plaintext@ block using given @Context@, return one block of
-- ciphertext
function Encrypt (Context : AES_Enc_Context;
Plaintext : Block_Type) return Block_Type
with Global => null;
-- Create AES-128 decryption context from AES-128 @Key@
function Create_AES128_Dec_Context (Key : AES128_Key_Type) return AES_Dec_Context;
-- Create AES-192 decryption context from AES-192 @Key@
function Create_AES192_Dec_Context (Key : AES192_Key_Type) return AES_Dec_Context;
-- Create AES-256 decryption context from AES-256 @Key@
function Create_AES256_Dec_Context (Key : AES256_Key_Type) return AES_Dec_Context;
-- Decrypt one @Ciphertext@ block using given @Context@, return one block of
-- plaintext
function Decrypt (Context : AES_Dec_Context;
Ciphertext : Block_Type) return Block_Type
with Global => null;
-- Empty AES block
Null_Block : constant Block_Type;
-- Empty AES-128 key
Null_AES128_Key : constant AES128_Key_Type;
-- Empty AES-192 key
Null_AES192_Key : constant AES192_Key_Type;
-- Empty AES-256 key
Null_AES256_Key : constant AES256_Key_Type;
private
Nb : constant Types.Index := 4;
subtype Schedule_Index is Types.Index range 0 .. 15 * Nb - 1;
subtype Schedule_Type is Types.Word32_Array_Type (Schedule_Index);
Null_Schedule : constant Schedule_Type :=
Schedule_Type'(Schedule_Index => 0);
subtype Nr_Type is Types.Index range 10 .. 14;
subtype Nk_Type is Types.Index range 4 .. 8;
type AES_Enc_Context is
record
Schedule : Schedule_Type;
Nr : Nr_Type;
end record;
type AES_Dec_Context is
record
Schedule : Schedule_Type;
Nr : Nr_Type;
end record;
Null_Block : constant Block_Type :=
Block_Type'(Block_Index => 0);
Null_AES128_Key : constant AES128_Key_Type :=
AES128_Key_Type'(AES128_Key_Index => 0);
Null_AES192_Key : constant AES192_Key_Type :=
AES192_Key_Type'(AES192_Key_Index => 0);
Null_AES256_Key : constant AES256_Key_Type :=
AES256_Key_Type'(AES256_Key_Index => 0);
end LSC.Internal.AES;
|
godunko/adawebui | Ada | 3,535 | ads | ------------------------------------------------------------------------------
-- --
-- Matreshka Project --
-- --
-- Web Framework --
-- --
-- Runtime Library Component --
-- --
------------------------------------------------------------------------------
-- --
-- Copyright © 2017-2020, Vadim Godunko <[email protected]> --
-- All rights reserved. --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions --
-- are met: --
-- --
-- * Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- --
-- * Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in the --
-- documentation and/or other materials provided with the distribution. --
-- --
-- * Neither the name of the Vadim Godunko, IE nor the names of its --
-- contributors may be used to endorse or promote products derived from --
-- this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED --
-- TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR --
-- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF --
-- LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING --
-- NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS --
-- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
-- $Revision: 5744 $ $Date: 2017-01-29 12:24:34 +0300 (Sun, 29 Jan 2017) $
------------------------------------------------------------------------------
with Web.UI.Widgets.Buttons.Boolean_Check_Boxes;
package Web.UI.Boolean_Check_Boxes
renames Web.UI.Widgets.Buttons.Boolean_Check_Boxes;
|
Aldmors/coinapi-sdk | Ada | 3,012 | ads | -- OEML _ REST API
-- This section will provide necessary information about the `CoinAPI OEML REST API` protocol. <br/> This API is also available in the Postman application: <a href=\"https://postman.coinapi.io/\" target=\"_blank\">https://postman.coinapi.io/</a> <br/><br/> Implemented Standards: * [HTTP1.0](https://datatracker.ietf.org/doc/html/rfc1945) * [HTTP1.1](https://datatracker.ietf.org/doc/html/rfc2616) * [HTTP2.0](https://datatracker.ietf.org/doc/html/rfc7540)
--
-- The version of the OpenAPI document: v1
-- Contact: [email protected]
--
-- NOTE: This package is auto generated by OpenAPI-Generator 5.2.1.
-- https://openapi-generator.tech
-- Do not edit the class manually.
with .Models;
with Swagger.Clients;
package .Clients is
pragma Style_Checks ("-mr");
type Client_Type is new Swagger.Clients.Client_Type with null record;
-- Get balances
-- Get current currency balance from all or single exchange.
procedure V_1Balances_Get
(Client : in out Client_Type;
Exchange_Id : in Swagger.Nullable_UString;
Result : out .Models.Balance_Type_Vectors.Vector);
-- Cancel all orders request
-- This request cancels all open orders on single specified exchange.
procedure V_1Orders_Cancel_All_Post
(Client : in out Client_Type;
Order_Cancel_All_Request_Type : in .Models.OrderCancelAllRequest_Type;
Result : out .Models.MessageReject_Type);
-- Cancel order request
-- Request cancel for an existing order. The order can be canceled using the `client_order_id` or `exchange_order_id`.
procedure V_1Orders_Cancel_Post
(Client : in out Client_Type;
Order_Cancel_Single_Request_Type : in .Models.OrderCancelSingleRequest_Type;
Result : out .Models.OrderExecutionReport_Type);
-- Get open orders
-- Get last execution reports for open orders across all or single exchange.
procedure V_1Orders_Get
(Client : in out Client_Type;
Exchange_Id : in Swagger.Nullable_UString;
Result : out .Models.OrderExecutionReport_Type_Vectors.Vector);
-- Send new order
-- This request creating new order for the specific exchange.
procedure V_1Orders_Post
(Client : in out Client_Type;
Order_New_Single_Request_Type : in .Models.OrderNewSingleRequest_Type;
Result : out .Models.OrderExecutionReport_Type);
-- Get order execution report
-- Get the last order execution report for the specified order. The requested order does not need to be active or opened.
procedure V_1Orders_Status_Client_Order_Id_Get
(Client : in out Client_Type;
Client_Order_Id : in Swagger.UString;
Result : out .Models.OrderExecutionReport_Type);
-- Get open positions
-- Get current open positions across all or single exchange.
procedure V_1Positions_Get
(Client : in out Client_Type;
Exchange_Id : in Swagger.Nullable_UString;
Result : out .Models.Position_Type_Vectors.Vector);
end .Clients;
|
reznikmm/matreshka | Ada | 3,977 | ads | ------------------------------------------------------------------------------
-- --
-- Matreshka Project --
-- --
-- Open Document Toolkit --
-- --
-- Runtime Library Component --
-- --
------------------------------------------------------------------------------
-- --
-- Copyright © 2014, Vadim Godunko <[email protected]> --
-- All rights reserved. --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions --
-- are met: --
-- --
-- * Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- --
-- * Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in the --
-- documentation and/or other materials provided with the distribution. --
-- --
-- * Neither the name of the Vadim Godunko, IE nor the names of its --
-- contributors may be used to endorse or promote products derived from --
-- this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED --
-- TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR --
-- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF --
-- LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING --
-- NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS --
-- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
-- $Revision$ $Date$
------------------------------------------------------------------------------
with ODF.DOM.Text_Formula_Attributes;
package Matreshka.ODF_Text.Formula_Attributes is
type Text_Formula_Attribute_Node is
new Matreshka.ODF_Text.Abstract_Text_Attribute_Node
and ODF.DOM.Text_Formula_Attributes.ODF_Text_Formula_Attribute
with null record;
overriding function Create
(Parameters : not null access Matreshka.DOM_Attributes.Attribute_L2_Parameters)
return Text_Formula_Attribute_Node;
overriding function Get_Local_Name
(Self : not null access constant Text_Formula_Attribute_Node)
return League.Strings.Universal_String;
end Matreshka.ODF_Text.Formula_Attributes;
|
jwhitham/x86determiniser | Ada | 6,365 | adb |
with Ada . Text_IO ;
with Ada . Integer_Text_IO ;
with Ada . Float_Text_IO ;
with Binary_Heap ;
with Measure_Time ;
use Ada . Text_IO ;
use Ada . Integer_Text_IO ;
use Ada . Float_Text_IO ;
with Ada.Numerics.Discrete_Random ;
procedure test_queue is
arr_size : constant Natural := 100 ;
package Binary_Heap_For_Naturals is new
Binary_Heap ( Natural , ">" , 0 ) ;
use Binary_Heap_For_Naturals ;
type My_Record is record
number : Natural ;
data : Integer ;
end record ;
function RecordCompareAsNumber ( a , b : My_Record ) return Boolean is
begin
return ( a . number > b . number ) ;
end RecordCompareAsNumber ;
BlankRecord : constant My_Record := ( others => 0 ) ;
package Binary_Heap_For_My_Record is new
Binary_Heap ( My_Record , RecordCompareAsNumber , BlankRecord ) ;
use Binary_Heap_For_My_Record ;
type pqa is access Binary_Heap_For_My_Record . Priority_Queue ;
procedure My_Record_Adder_WC ( rqueue : in pqa ) is
rec : My_Record ;
begin
rec . data := 2 ;
for I in reverse 1 .. arr_size
loop
rec . number := I ;
Insert ( rec , rqueue . all ) ;
end loop ;
end My_Record_Adder_WC ;
procedure My_Record_Deleter ( rqueue : in pqa ) is
rec : My_Record ;
begin
for I in 1 .. arr_size
loop
Delete_Min ( rec , rqueue . all ) ;
end loop ;
end My_Record_Deleter ;
package Measure_Add_Time is new
Measure_Time ( pqa , My_Record_Adder_WC ) ;
package Measure_Del_Time is new
Measure_Time ( pqa , My_Record_Deleter ) ;
nqueue : Binary_Heap_For_Naturals . Priority_Queue ( arr_size ) ;
ex : Boolean ;
outvar : Natural ;
begin
put_line ( "Testing heap properties with natural numbers" ) ;
for I in 1 .. arr_size
loop
Insert ( I * 10 , nqueue ) ;
end loop ;
ex := FALSE ;
begin
Insert ( 1 , nqueue ) ;
exception
when others => ex := TRUE ;
end ;
if ( not ex )
then
put_line ( "No exception thrown on last item added." ) ;
return ;
end if ;
Delete_Min ( outvar , nqueue ) ;
if ( Find_Min ( nqueue ) /= 20 )
then
put_line ( "Agh, why isn't the minimum 20?" ) ;
return ;
end if ;
Insert ( 10 , nqueue ) ;
if ( not Is_Full ( nqueue ) )
then
put_line ( "Is not full!?" ) ;
return ;
end if ;
for I in 1 .. arr_size
loop
Delete_Min ( outvar , nqueue ) ;
if ( outvar /= ( I * 10 ))
then
put_line ( "Output from queue not as expected." ) ;
put ( "Got " ) ;
put ( outvar , 0 ) ;
put ( " but expected " ) ;
put ( I * 10 , 0 ) ;
new_line ;
return ;
end if ;
end loop ;
if ( not Is_Empty ( nqueue ) )
then
put_line ( "Queue is not empty, why not?" ) ;
return ;
end if ;
put_line ( "Second stage pseudo random tests." ) ;
declare
subtype In_Numbers is Natural range 1 .. arr_size ;
package Natural_Random is new Ada.Numerics.Discrete_Random ( In_Numbers ) ;
Natural_Generator : Natural_Random . Generator;
numbers : array ( 1 .. arr_size ) of Natural ;
numbers_present : Natural ;
J , K : Natural ;
begin
for I in 1 .. arr_size
loop
numbers ( I ) := I ;
end loop ;
numbers_present := arr_size ;
Natural_Random . Reset ( Natural_Generator , 1 ) ;
for I in 1 .. 100
loop
if ( Natural_Random . Random ( Natural_Generator ) < numbers_present )
then
-- add
J := Natural_Random . Random ( Natural_Generator ) ;
while ( numbers ( J ) = 0 )
loop
J := J + 1 ;
if ( J > arr_size )
then
J := 1 ;
end if ;
end loop ;
numbers ( J ) := 0 ;
Insert ( J , nqueue ) ;
numbers_present := numbers_present - 1 ;
else
-- remove
J := 1 ;
while ( numbers ( J ) /= 0 )
loop
J := J + 1 ;
end loop ;
Delete_Min ( K , nqueue ) ;
if ( K /= J )
then
put ( "Delete gave unexpected value. Was expecting " ) ;
put ( J ) ;
put ( " but I got " ) ;
put ( K ) ;
new_line ;
return ;
end if ;
numbers ( J ) := J ;
numbers_present := numbers_present + 1 ;
end if ;
end loop ;
end ;
Make_Empty ( nqueue ) ;
put_line ( "Tests good, benchmarking now." ) ;
declare
add , del_wc , del_ac : Natural ;
rec : My_Record ;
rqueue : pqa ;
package Natural_Random is new Ada.Numerics.Discrete_Random ( Natural ) ;
Natural_Generator : Natural_Random . Generator;
begin
rqueue := new Binary_Heap_For_My_Record . Priority_Queue ( arr_size ) ;
add := Measure_Add_Time . Time ( rqueue , 1 ) ;
del_wc := Measure_Del_Time . Time ( rqueue , 1 ) ;
-- Do an average case pseudo random add
rec . data := 1 ;
Natural_Random . Reset ( Natural_Generator , 1 ) ;
for I in 1 .. arr_size
loop
rec . number := Natural_Random . Random ( Natural_Generator ) ;
Insert ( rec , rqueue . all ) ;
end loop ;
del_ac := Measure_Del_Time . Time ( rqueue , 1 ) ;
put ( "For " ) ;
put ( arr_size , 0 ) ;
put_line ( " operations" ) ;
put ( "Average/worst case add time: " ) ;
put ( add , 0 ) ;
put_line ( " instructions" ) ;
put ( "Average delete time: " ) ;
put ( del_ac , 0 ) ;
put_line ( " instructions" ) ;
put ( "Worst case delete time: " ) ;
put ( del_wc , 0 ) ;
put_line ( " instructions" ) ;
end ;
end test_queue ;
|
reznikmm/matreshka | Ada | 11,565 | adb | ------------------------------------------------------------------------------
-- --
-- Matreshka Project --
-- --
-- Localization, Internationalization, Globalization for Ada --
-- --
-- Runtime Library Component --
-- --
------------------------------------------------------------------------------
-- --
-- Copyright © 2011-2015, Vadim Godunko <[email protected]> --
-- All rights reserved. --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions --
-- are met: --
-- --
-- * Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- --
-- * Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in the --
-- documentation and/or other materials provided with the distribution. --
-- --
-- * Neither the name of the Vadim Godunko, IE nor the names of its --
-- contributors may be used to endorse or promote products derived from --
-- this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED --
-- TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR --
-- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF --
-- LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING --
-- NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS --
-- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
-- $Revision$ $Date$
------------------------------------------------------------------------------
with Ada.Containers.Generic_Array_Sort;
with Ada.Unchecked_Deallocation;
package body Matreshka.Internals.Graphs is
procedure Free is new Ada.Unchecked_Deallocation
(Edge_Array, Edge_Array_Access);
procedure Free is new Ada.Unchecked_Deallocation
(Node_Array, Node_Array_Access);
-----------
-- Clear --
-----------
procedure Clear (Self : in out Graph) is
begin
Free (Self.Nodes);
Free (Self.Edges);
Self.Last_Node := 0;
Self.Last_Edge := 0;
end Clear;
package body Constructor is
-----------
-- Clear --
-----------
procedure Clear (Self : in out Graph) is
begin
Free (Self.Nodes);
Free (Self.Edges);
Self.Last_Node := 0;
Self.Last_Edge := 0;
end Clear;
-----------
-- Index --
-----------
function Index (Self : Node) return Node_Index is
begin
return Self.Index;
end Index;
--------------
-- New_Node --
--------------
function New_Node (Self : Graph'Class) return Node is
procedure Resize;
procedure Resize is
begin
if Self.Nodes = null or else
Self.Nodes'Length < Self.Last_Node + 1
then
declare -- 6 15 28 48 78 123 190
Old : Node_Array_Access := Self.Nodes;
New_Length : constant Node_Index :=
(Self.Last_Node + 4) * 3 / 2;
begin
Self.Self.Nodes := new Node_Array (1 .. New_Length);
if Old /= null then
Self.Nodes.all (Old'Range) := Old.all;
Free (Old);
end if;
end;
end if;
Self.Self.Last_Node := Self.Self.Last_Node + 1;
end Resize;
begin
Resize;
Self.Nodes (Self.Last_Node) :=
(Graph => <>,
Index => Self.Last_Node,
First => 1,
Last => 0);
return (Self.Self, Self.Last_Node);
end New_Node;
--------------
-- New_Edge --
--------------
procedure New_Edge (From, To : Node) is
Ignore : constant Edge_Identifier := New_Edge (From, To);
pragma Unreferenced (Ignore);
begin
null;
end New_Edge;
--------------
-- New_Edge --
--------------
function New_Edge (From, To : Node) return Edge_Identifier is
procedure Resize;
Self : constant Graph_Access := From.Graph;
procedure Resize is
begin
if Self.Edges = null or else
Self.Edges'Length < Self.Last_Edge + 1
then
declare
Old : Edge_Array_Access := Self.Edges;
New_Length : constant Edge_Index :=
(Self.Last_Edge + 2) * 2;
begin
Self.Edges := new Edge_Array (1 .. New_Length);
if Old /= null then
Self.Edges.all (Old'Range) := Old.all;
Free (Old);
end if;
end;
end if;
Self.Last_Edge := Self.Last_Edge + 1;
end Resize;
begin
if To.Graph /= Self then
raise Constraint_Error;
end if;
Resize;
Self.Edges (Self.Last_Edge) :=
(Graph => <>,
Index => Self.Last_Edge,
Id => Edge_Identifier (Self.Last_Edge),
Source => From.Index,
Target => To.Index);
return Edge_Identifier (Self.Last_Edge);
end New_Edge;
procedure Complete
(Input : in out Graph'Class;
Output : out Graphs.Graph)
is
function Less (Left, Right : Edge) return Boolean;
function Less (Left, Right : Edge) return Boolean is
begin
return Left.Source < Right.Source or
(Left.Source = Right.Source and Left.Index < Right.Index);
end Less;
procedure Sort is new Ada.Containers.Generic_Array_Sort
(Edge_Index, Edge, Edge_Array, Less);
begin
Sort (Input.Edges (1 .. Input.Last_Edge));
for J in 1 .. Input.Last_Node loop
Input.Nodes (J).Graph := Output.Self;
Input.Nodes (J).First := 1;
Input.Nodes (J).Last := 0;
end loop;
for J in 1 .. Input.Last_Edge loop
Input.Edges (J).Graph := Output.Self;
Input.Edges (J).Index := J;
if Input.Nodes (Input.Edges (J).Source).Last = 0 then
Input.Nodes (Input.Edges (J).Source).First := J;
end if;
Input.Nodes (Input.Edges (J).Source).Last := J;
end loop;
Output.Last_Node := Input.Last_Node;
Output.Last_Edge := Input.Last_Edge;
Output.Nodes := Input.Nodes;
Output.Edges := Input.Edges;
Input.Last_Node := 0;
Input.Last_Edge := 0;
Input.Nodes := null;
Input.Edges := null;
end Complete;
end Constructor;
----------------
-- Edge_Count --
----------------
function Edge_Count (Self : Graph) return Edge_List_Length is
begin
return Self.Last_Edge;
end Edge_Count;
----------------
-- Edge_Count --
----------------
function Edge_Count (Self : Node) return Edge_List_Length is
begin
return Self.Last - Self.First + 1;
end Edge_Count;
-------------
-- Edge_Id --
-------------
function Edge_Id (Self : Edge) return Edge_Identifier is
begin
return Self.Id;
end Edge_Id;
----------------------
-- First_Edge_Index --
----------------------
function First_Edge_Index (Self : Node) return Edge_Index is
begin
return Self.First;
end First_Edge_Index;
--------------
-- Get_Edge --
--------------
function Get_Edge (Self : Graph'Class; Index : Edge_Index) return Edge is
begin
return Self.Edges (Index);
end Get_Edge;
--------------
-- Get_Edge --
--------------
function Get_Edge (Self : Node'Class; Index : Edge_Index) return Edge is
begin
return Get_Edge (Self.Graph.all, Index);
end Get_Edge;
---------------
-- Get_Edges --
---------------
function Get_Edges (Self : Graph) return Edge_Array is
begin
return Self.Edges (1 .. Self.Last_Edge);
end Get_Edges;
--------------
-- Get_Node --
--------------
function Get_Node (Self : Graph'Class; Index : Node_Index) return Node is
begin
return Self.Nodes (Index);
end Get_Node;
---------------
-- Get_Nodes --
---------------
function Get_Nodes (Self : Graph) return Node_Array is
begin
return Self.Nodes (1 .. Self.Last_Node);
end Get_Nodes;
-----------
-- Index --
-----------
function Index (Self : Node) return Node_Index is
begin
return Self.Index;
end Index;
-----------
-- Index --
-----------
function Index (Self : Edge) return Edge_Index is
begin
return Self.Index;
end Index;
---------------------
-- Last_Edge_Index --
---------------------
function Last_Edge_Index (Self : Node) return Edge_List_Length is
begin
return Self.Last;
end Last_Edge_Index;
----------------
-- Node_Count --
----------------
function Node_Count (Self : Graph) return Node_List_Length is
begin
return Self.Last_Node;
end Node_Count;
--------------------
-- Outgoing_Edges --
--------------------
function Outgoing_Edges (Self : Node) return Edge_Array is
begin
return Self.Graph.Edges (Self.First .. Self.Last);
end Outgoing_Edges;
-----------------
-- Source_Node --
-----------------
function Source_Node (Self : Edge'Class) return Node is
begin
return Self.Graph.Nodes (Self.Source);
end Source_Node;
-----------------
-- Target_Node --
-----------------
function Target_Node (Self : Edge'Class) return Node is
begin
return Self.Graph.Nodes (Self.Target);
end Target_Node;
end Matreshka.Internals.Graphs;
|
faelys/natools | Ada | 3,783 | adb | ------------------------------------------------------------------------------
-- Copyright (c) 2016, Natacha Porté --
-- --
-- Permission to use, copy, modify, and distribute this software for any --
-- purpose with or without fee is hereby granted, provided that the above --
-- copyright notice and this permission notice appear in all copies. --
-- --
-- THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES --
-- WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF --
-- MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR --
-- ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES --
-- WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN --
-- ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF --
-- OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. --
------------------------------------------------------------------------------
package body Natools.Parallelism is
procedure Single_Accumulator_Run
(Global : in out Global_State;
Task_Count : in Positive)
is
protected State is
procedure Initialize (Job : out Job_State; Continue : out Boolean);
procedure Next (Job : in out Job_State; Continue : out Boolean);
end State;
task type Worker is
end Worker;
protected body State is
procedure Initialize (Job : out Job_State; Continue : out Boolean) is
begin
Continue := not Is_Finished (Global);
if Continue then
Initialize_Job (Global, Job);
end if;
end Initialize;
procedure Next (Job : in out Job_State; Continue : out Boolean) is
begin
Gather_Result (Global, Job);
Initialize (Job, Continue);
end Next;
end State;
task body Worker is
Job : Job_State;
Continue : Boolean;
begin
State.Initialize (Job, Continue);
while Continue loop
Do_Job (Job);
State.Next (Job, Continue);
end loop;
end Worker;
Workers : array (1 .. Task_Count) of Worker;
pragma Unreferenced (Workers);
begin
null;
end Single_Accumulator_Run;
procedure Per_Task_Accumulator_Run
(Global : in out Global_State;
Task_Count : in Positive)
is
protected State is
procedure Get_Next_Job
(Job : out Job_Description;
Terminated : out Boolean);
procedure Gather (Result : in Task_Result);
end State;
task type Worker is
end Worker;
protected body State is
procedure Get_Next_Job
(Job : out Job_Description;
Terminated : out Boolean) is
begin
Get_Next_Job (Global, Job, Terminated);
end Get_Next_Job;
procedure Gather (Result : in Task_Result) is
begin
Gather_Result (Global, Result);
end Gather;
end State;
task body Worker is
Job : Job_Description;
Result : Task_Result;
Terminated : Boolean;
begin
Initialize (Result);
loop
State.Get_Next_Job (Job, Terminated);
exit when Terminated;
Do_Job (Result, Job);
end loop;
State.Gather (Result);
end Worker;
Workers : array (1 .. Task_Count) of Worker;
pragma Unreferenced (Workers);
begin
null;
end Per_Task_Accumulator_Run;
end Natools.Parallelism;
|
reznikmm/matreshka | Ada | 3,779 | ads | ------------------------------------------------------------------------------
-- --
-- Matreshka Project --
-- --
-- Localization, Internationalization, Globalization for Ada --
-- --
-- Runtime Library Component --
-- --
------------------------------------------------------------------------------
-- --
-- Copyright © 2009-2010, Vadim Godunko <[email protected]> --
-- All rights reserved. --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions --
-- are met: --
-- --
-- * Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- --
-- * Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in the --
-- documentation and/or other materials provided with the distribution. --
-- --
-- * Neither the name of the Vadim Godunko, IE nor the names of its --
-- contributors may be used to endorse or promote products derived from --
-- this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED --
-- TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR --
-- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF --
-- LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING --
-- NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS --
-- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
-- $Revision$ $Date$
------------------------------------------------------------------------------
with Matreshka.Internals.Locales;
with Matreshka.Internals.Strings;
package Matreshka.Internals.Unicode.Collation is
pragma Preelaborate;
function Construct_Sort_Key
(Locale : Matreshka.Internals.Locales.Locale_Data_Access;
Source : Matreshka.Internals.Strings.Shared_String_Access)
return Matreshka.Internals.Strings.Shared_Sort_Key_Access;
-- Construct sort key.
end Matreshka.Internals.Unicode.Collation;
|
charlie5/lace | Ada | 231 | ads | package openGL.Model.line
--
-- Provides an abstract class for line models.
--
is
type Item is abstract new Model.item with private;
private
type Item is abstract new Model.item with null record;
end openGL.Model.line;
|
AdaCore/libadalang | Ada | 347 | adb | procedure Main is
package Foo is
type T is null record;
function "=" (A, B : T) return Boolean is (True);
end Foo;
use Foo;
A, B : T;
begin
if A /= B then
raise Program_Error;
end if;
pragma Test_Statement;
if "/=" (A, B) then
raise Program_Error;
end if;
pragma Test_Statement;
end Main;
|
reznikmm/matreshka | Ada | 17,340 | adb | ------------------------------------------------------------------------------
-- --
-- Matreshka Project --
-- --
-- XML Processor --
-- --
-- Runtime Library Component --
-- --
------------------------------------------------------------------------------
-- --
-- Copyright © 2012, Vadim Godunko <[email protected]> --
-- All rights reserved. --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions --
-- are met: --
-- --
-- * Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- --
-- * Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in the --
-- documentation and/or other materials provided with the distribution. --
-- --
-- * Neither the name of the Vadim Godunko, IE nor the names of its --
-- contributors may be used to endorse or promote products derived from --
-- this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED --
-- TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR --
-- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF --
-- LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING --
-- NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS --
-- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
-- $Revision$ $Date$
------------------------------------------------------------------------------
with League.Text_Codecs;
with League.Characters;
package body XML.SAX.Writers is
use League.Strings;
----------------
-- Characters --
----------------
procedure Characters
(Self : in out SAX_Writer'Class;
Text : League.Strings.Universal_String)
is
Success : Boolean := True;
begin
Self.Characters (Text, Success);
if not Success then
raise Constraint_Error
with League.Text_Codecs.To_Exception_Message (Self.Error_String);
end if;
end Characters;
----------------
-- Characters --
----------------
procedure Characters
(Self : in out SAX_Writer'Class;
Text : Wide_Wide_String) is
begin
Self.Characters (League.Strings.To_Universal_String (Text));
end Characters;
----------------
-- Characters --
----------------
procedure Characters
(Self : in out SAX_Writer'Class;
Text : Wide_Wide_String;
Success : in out Boolean) is
begin
Self.Characters (League.Strings.To_Universal_String (Text),
Success);
end Characters;
----------------
-- Characters --
----------------
procedure Characters
(Self : in out SAX_Writer'Class;
Text : Wide_Wide_Character) is
begin
Self.Characters (League.Strings.Empty_Universal_String
& League.Characters.To_Universal_Character (Text));
end Characters;
----------------
-- Characters --
----------------
procedure Characters
(Self : in out SAX_Writer'Class;
Text : Wide_Wide_Character;
Success : in out Boolean) is
begin
Self.Characters (League.Strings.Empty_Universal_String
& League.Characters.To_Universal_Character (Text),
Success);
end Characters;
-------------
-- Comment --
-------------
procedure Comment
(Self : in out SAX_Writer'Class;
Text : League.Strings.Universal_String)
is
Success : Boolean := True;
begin
Self.Comment (Text, Success);
if not Success then
raise Constraint_Error
with League.Text_Codecs.To_Exception_Message (Self.Error_String);
end if;
end Comment;
---------------
-- End_CDATA --
---------------
procedure End_CDATA (Self : in out SAX_Writer'Class) is
Success : Boolean := True;
begin
Self.End_CDATA (Success);
if not Success then
raise Constraint_Error
with League.Text_Codecs.To_Exception_Message (Self.Error_String);
end if;
end End_CDATA;
------------------
-- End_Document --
------------------
procedure End_Document (Self : in out SAX_Writer'Class) is
Success : Boolean := True;
begin
Self.End_Document (Success);
if not Success then
raise Constraint_Error
with League.Text_Codecs.To_Exception_Message (Self.Error_String);
end if;
end End_Document;
-------------
-- End_DTD --
-------------
procedure End_DTD (Self : in out SAX_Writer'Class) is
Success : Boolean := True;
begin
Self.End_DTD (Success);
if not Success then
raise Constraint_Error
with League.Text_Codecs.To_Exception_Message (Self.Error_String);
end if;
end End_DTD;
-----------------
-- End_Element --
-----------------
procedure End_Element
(Self : in out SAX_Writer'Class;
Namespace_URI : League.Strings.Universal_String;
Local_Name : League.Strings.Universal_String;
Qualified_Name : League.Strings.Universal_String)
is
Success : Boolean := True;
begin
Self.End_Element (Namespace_URI, Local_Name, Qualified_Name, Success);
if not Success then
raise Constraint_Error
with League.Text_Codecs.To_Exception_Message (Self.Error_String);
end if;
end End_Element;
-----------------
-- End_Element --
-----------------
procedure End_Element
(Self : in out SAX_Writer'Class;
Namespace_URI : League.Strings.Universal_String;
Local_Name : League.Strings.Universal_String) is
begin
Self.End_Element
(Namespace_URI => Namespace_URI,
Local_Name => Local_Name,
Qualified_Name => League.Strings.Empty_Universal_String);
end End_Element;
-----------------
-- End_Element --
-----------------
procedure End_Element
(Self : in out SAX_Writer'Class;
Qualified_Name : League.Strings.Universal_String) is
begin
Self.End_Element
(Namespace_URI => League.Strings.Empty_Universal_String,
Local_Name => League.Strings.Empty_Universal_String,
Qualified_Name => Qualified_Name);
end End_Element;
-----------------
-- End_Element --
-----------------
procedure End_Element
(Self : in out SAX_Writer'Class;
Namespace_URI : League.Strings.Universal_String;
Local_Name : League.Strings.Universal_String;
Success : in out Boolean) is
begin
Self.End_Element
(Namespace_URI => Namespace_URI,
Local_Name => Local_Name,
Qualified_Name => League.Strings.Empty_Universal_String,
Success => Success);
end End_Element;
-----------------
-- End_Element --
-----------------
procedure End_Element
(Self : in out SAX_Writer'Class;
Qualified_Name : League.Strings.Universal_String;
Success : in out Boolean) is
begin
Self.End_Element
(Namespace_URI => League.Strings.Empty_Universal_String,
Local_Name => League.Strings.Empty_Universal_String,
Qualified_Name => Qualified_Name,
Success => Success);
end End_Element;
----------------
-- End_Entity --
----------------
procedure End_Entity
(Self : in out SAX_Writer'Class;
Name : League.Strings.Universal_String)
is
Success : Boolean := True;
begin
Self.End_Entity (Name, Success);
if not Success then
raise Constraint_Error
with League.Text_Codecs.To_Exception_Message (Self.Error_String);
end if;
end End_Entity;
------------------------
-- End_Prefix_Mapping --
------------------------
procedure End_Prefix_Mapping
(Self : in out SAX_Writer'Class;
Prefix : League.Strings.Universal_String
:= League.Strings.Empty_Universal_String)
is
Success : Boolean := True;
begin
Self.End_Entity (Prefix, Success);
if not Success then
raise Constraint_Error
with League.Text_Codecs.To_Exception_Message (Self.Error_String);
end if;
end End_Prefix_Mapping;
--------------------------
-- Ignorable_Whitespace --
--------------------------
procedure Ignorable_Whitespace
(Self : in out SAX_Writer'Class;
Text : League.Strings.Universal_String)
is
Success : Boolean := True;
begin
Self.Ignorable_Whitespace (Text, Success);
if not Success then
raise Constraint_Error
with League.Text_Codecs.To_Exception_Message (Self.Error_String);
end if;
end Ignorable_Whitespace;
----------------------------
-- Processing_Instruction --
----------------------------
procedure Processing_Instruction
(Self : in out SAX_Writer'Class;
Target : League.Strings.Universal_String;
Data : League.Strings.Universal_String
:= League.Strings.Empty_Universal_String)
is
Success : Boolean := True;
begin
Self.Processing_Instruction (Target, Data, Success);
if not Success then
raise Constraint_Error
with League.Text_Codecs.To_Exception_Message (Self.Error_String);
end if;
end Processing_Instruction;
--------------------
-- Skipped_Entity --
--------------------
procedure Skipped_Entity
(Self : in out SAX_Writer'Class;
Name : League.Strings.Universal_String)
is
Success : Boolean := True;
begin
Self.Skipped_Entity (Name, Success);
if not Success then
raise Constraint_Error
with League.Text_Codecs.To_Exception_Message (Self.Error_String);
end if;
end Skipped_Entity;
-----------------
-- Start_CDATA --
-----------------
procedure Start_CDATA (Self : in out SAX_Writer'Class) is
Success : Boolean := True;
begin
Self.Start_CDATA (Success);
if not Success then
raise Constraint_Error
with League.Text_Codecs.To_Exception_Message (Self.Error_String);
end if;
end Start_CDATA;
--------------------
-- Start_Document --
--------------------
procedure Start_Document (Self : in out SAX_Writer'Class) is
Success : Boolean := True;
begin
Self.Start_Document (Success);
if not Success then
raise Constraint_Error
with League.Text_Codecs.To_Exception_Message (Self.Error_String);
end if;
end Start_Document;
---------------
-- Start_DTD --
---------------
procedure Start_DTD
(Self : in out SAX_Writer'Class;
Name : League.Strings.Universal_String;
Public_Id : League.Strings.Universal_String
:= League.Strings.Empty_Universal_String;
System_Id : League.Strings.Universal_String
:= League.Strings.Empty_Universal_String)
is
Success : Boolean := True;
begin
Self.Start_DTD (Name, Public_Id, System_Id, Success);
if not Success then
raise Constraint_Error
with League.Text_Codecs.To_Exception_Message (Self.Error_String);
end if;
end Start_DTD;
-------------------
-- Start_Element --
-------------------
procedure Start_Element
(Self : in out SAX_Writer'Class;
Namespace_URI : League.Strings.Universal_String;
Local_Name : League.Strings.Universal_String;
Qualified_Name : League.Strings.Universal_String;
Attributes : XML.SAX.Attributes.SAX_Attributes
:= XML.SAX.Attributes.Empty_SAX_Attributes)
is
Success : Boolean := True;
begin
Self.Start_Element
(Namespace_URI, Local_Name, Qualified_Name, Attributes, Success);
if not Success then
raise Constraint_Error
with League.Text_Codecs.To_Exception_Message (Self.Error_String);
end if;
end Start_Element;
-------------------
-- Start_Element --
-------------------
procedure Start_Element
(Self : in out SAX_Writer'Class;
Namespace_URI : League.Strings.Universal_String;
Local_Name : League.Strings.Universal_String;
Attributes : XML.SAX.Attributes.SAX_Attributes
:= XML.SAX.Attributes.Empty_SAX_Attributes) is
begin
Self.Start_Element
(Namespace_URI => Namespace_URI,
Local_Name => Local_Name,
Qualified_Name => League.Strings.Empty_Universal_String,
Attributes => Attributes);
end Start_Element;
-------------------
-- Start_Element --
-------------------
procedure Start_Element
(Self : in out SAX_Writer'Class;
Qualified_Name : League.Strings.Universal_String;
Attributes : XML.SAX.Attributes.SAX_Attributes
:= XML.SAX.Attributes.Empty_SAX_Attributes) is
begin
Self.Start_Element
(Namespace_URI => League.Strings.Empty_Universal_String,
Local_Name => League.Strings.Empty_Universal_String,
Qualified_Name => Qualified_Name,
Attributes => Attributes);
end Start_Element;
-------------------
-- Start_Element --
-------------------
procedure Start_Element
(Self : in out SAX_Writer'Class;
Namespace_URI : League.Strings.Universal_String;
Local_Name : League.Strings.Universal_String;
Attributes : XML.SAX.Attributes.SAX_Attributes
:= XML.SAX.Attributes.Empty_SAX_Attributes;
Success : in out Boolean) is
begin
Self.Start_Element
(Namespace_URI => Namespace_URI,
Local_Name => Local_Name,
Qualified_Name => League.Strings.Empty_Universal_String,
Attributes => Attributes,
Success => Success);
end Start_Element;
-------------------
-- Start_Element --
-------------------
procedure Start_Element
(Self : in out SAX_Writer'Class;
Qualified_Name : League.Strings.Universal_String;
Attributes : XML.SAX.Attributes.SAX_Attributes
:= XML.SAX.Attributes.Empty_SAX_Attributes;
Success : in out Boolean) is
begin
Self.Start_Element
(Namespace_URI => League.Strings.Empty_Universal_String,
Local_Name => League.Strings.Empty_Universal_String,
Qualified_Name => Qualified_Name,
Attributes => Attributes,
Success => Success);
end Start_Element;
------------------
-- Start_Entity --
------------------
procedure Start_Entity
(Self : in out SAX_Writer'Class;
Name : League.Strings.Universal_String)
is
Success : Boolean := True;
begin
Self.Start_Entity (Name, Success);
if not Success then
raise Constraint_Error
with League.Text_Codecs.To_Exception_Message (Self.Error_String);
end if;
end Start_Entity;
--------------------------
-- Start_Prefix_Mapping --
--------------------------
procedure Start_Prefix_Mapping
(Self : in out SAX_Writer'Class;
Prefix : League.Strings.Universal_String
:= League.Strings.Empty_Universal_String;
Namespace_URI : League.Strings.Universal_String)
is
Success : Boolean := True;
begin
Self.Start_Prefix_Mapping (Prefix, Namespace_URI, Success);
if not Success then
raise Constraint_Error
with League.Text_Codecs.To_Exception_Message (Self.Error_String);
end if;
end Start_Prefix_Mapping;
end XML.SAX.Writers;
|
persan/A-gst | Ada | 33,308 | ads | pragma Ada_2005;
pragma Style_Checks (Off);
pragma Warnings (Off);
with Interfaces.C; use Interfaces.C;
with GLIB; -- with GStreamer.GST_Low_Level.glibconfig_h;
with glib;
with glib.Values;
with System;
package GStreamer.GST_Low_Level.gstreamer_0_10_gst_codecparsers_gstvc1parser_h is
MAX_HRD_NUM_LEAKY_BUCKETS : constant := 31; -- gst/codecparsers/gstvc1parser.h:34
GST_VC1_BFRACTION_BASIS : constant := 840; -- gst/codecparsers/gstvc1parser.h:40
-- unsupported macro: GST_VC1_BFRACTION_RESERVED (GST_VC1_BFRACTION_BASIS + 1)
-- unsupported macro: GST_VC1_BFRACTION_PTYPE_BI (GST_VC1_BFRACTION_BASIS + 2)
-- Gstreamer
-- * Copyright (C) <2011> Intel
-- * Copyright (C) <2011> Collabora Ltd.
-- * Copyright (C) <2011> Thibault Saunier <[email protected]>
-- *
-- * This library is free software; you can redistribute it and/or
-- * modify it under the terms of the GNU Library General Public
-- * License as published by the Free Software Foundation; either
-- * version 2 of the License, or (at your option) any later version.
-- *
-- * This library is distributed in the hope that it will be useful,
-- * but WITHOUT ANY WARRANTY; without even the implied warranty of
-- * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
-- * Library General Public License for more details.
-- *
-- * You should have received a copy of the GNU Library General Public
-- * License along with this library; if not, write to the
-- * Free Software Foundation, Inc., 59 Temple Place - Suite 330,
-- * Boston, MA 02111-1307, USA.
--
--*
-- * @GST_VC1_BFRACTION_BASIS: The @bfraction variable should be divided
-- * by this constant to have the actual value.
--
subtype GstVC1StartCode is unsigned;
GST_VC1_END_OF_SEQ : constant GstVC1StartCode := 10;
GST_VC1_SLICE : constant GstVC1StartCode := 11;
GST_VC1_FIELD : constant GstVC1StartCode := 12;
GST_VC1_FRAME : constant GstVC1StartCode := 13;
GST_VC1_ENTRYPOINT : constant GstVC1StartCode := 14;
GST_VC1_SEQUENCE : constant GstVC1StartCode := 15;
GST_VC1_SLICE_USER : constant GstVC1StartCode := 27;
GST_VC1_FIELD_USER : constant GstVC1StartCode := 28;
GST_VC1_FRAME_USER : constant GstVC1StartCode := 29;
GST_VC1_ENTRY_POINT_USER : constant GstVC1StartCode := 30;
GST_VC1_SEQUENCE_USER : constant GstVC1StartCode := 31; -- gst/codecparsers/gstvc1parser.h:57
type GstVC1Profile is
(GST_VC1_PROFILE_SIMPLE,
GST_VC1_PROFILE_MAIN,
GST_VC1_PROFILE_RESERVED,
GST_VC1_PROFILE_ADVANCED);
pragma Convention (C, GstVC1Profile); -- gst/codecparsers/gstvc1parser.h:64
type GstVC1ParserResult is
(GST_VC1_PARSER_OK,
GST_VC1_PARSER_BROKEN_DATA,
GST_VC1_PARSER_NO_BDU,
GST_VC1_PARSER_NO_BDU_END,
GST_VC1_PARSER_ERROR);
pragma Convention (C, GstVC1ParserResult); -- gst/codecparsers/gstvc1parser.h:72
type GstVC1PictureType is
(GST_VC1_PICTURE_TYPE_P,
GST_VC1_PICTURE_TYPE_B,
GST_VC1_PICTURE_TYPE_I,
GST_VC1_PICTURE_TYPE_BI,
GST_VC1_PICTURE_TYPE_SKIPPED);
pragma Convention (C, GstVC1PictureType); -- gst/codecparsers/gstvc1parser.h:81
-- Simple/Main profile low level
-- Simple/Main profile medium level
-- Main profile high level
-- Advanced profile level 0
-- Advanced profile level 1
-- Advanced profile level 2
-- Advanced profile level 3
-- Advanced profile level 4
-- 5 to 7 reserved
-- Unknown profile
subtype GstVC1Level is unsigned;
GST_VC1_LEVEL_LOW : constant GstVC1Level := 0;
GST_VC1_LEVEL_MEDIUM : constant GstVC1Level := 1;
GST_VC1_LEVEL_HIGH : constant GstVC1Level := 2;
GST_VC1_LEVEL_L0 : constant GstVC1Level := 0;
GST_VC1_LEVEL_L1 : constant GstVC1Level := 1;
GST_VC1_LEVEL_L2 : constant GstVC1Level := 2;
GST_VC1_LEVEL_L3 : constant GstVC1Level := 3;
GST_VC1_LEVEL_L4 : constant GstVC1Level := 4;
GST_VC1_LEVEL_UNKNOWN : constant GstVC1Level := 255; -- gst/codecparsers/gstvc1parser.h:97
type GstVC1QuantizerSpec is
(GST_VC1_QUANTIZER_IMPLICITLY,
GST_VC1_QUANTIZER_EXPLICITLY,
GST_VC1_QUANTIZER_NON_UNIFORM,
GST_VC1_QUANTIZER_UNIFORM);
pragma Convention (C, GstVC1QuantizerSpec); -- gst/codecparsers/gstvc1parser.h:105
type GstVC1DQProfile is
(GST_VC1_DQPROFILE_FOUR_EDGES,
GST_VC1_DQPROFILE_DOUBLE_EDGES,
GST_VC1_DQPROFILE_SINGLE_EDGE,
GST_VC1_DQPROFILE_ALL_MBS);
pragma Convention (C, GstVC1DQProfile); -- gst/codecparsers/gstvc1parser.h:112
type GstVC1Condover is
(GST_VC1_CONDOVER_NONE,
GST_VC1_CONDOVER_ALL,
GST_VC1_CONDOVER_SELECT);
pragma Convention (C, GstVC1Condover); -- gst/codecparsers/gstvc1parser.h:118
--*
-- * GstVC1MvMode:
-- *
--
type GstVC1MvMode is
(GST_VC1_MVMODE_1MV_HPEL_BILINEAR,
GST_VC1_MVMODE_1MV,
GST_VC1_MVMODE_1MV_HPEL,
GST_VC1_MVMODE_MIXED_MV,
GST_VC1_MVMODE_INTENSITY_COMP);
pragma Convention (C, GstVC1MvMode); -- gst/codecparsers/gstvc1parser.h:131
subtype GstVC1FrameCodingMode is unsigned;
GST_VC1_FRAME_PROGRESSIVE : constant GstVC1FrameCodingMode := 0;
GST_VC1_FRAME_INTERLACE : constant GstVC1FrameCodingMode := 16;
GST_VC1_FIELD_INTERLACE : constant GstVC1FrameCodingMode := 17; -- gst/codecparsers/gstvc1parser.h:138
type GstVC1SeqHdr;
--subtype GstVC1SeqHdr is u_GstVC1SeqHdr; -- gst/codecparsers/gstvc1parser.h:140
type GstVC1AdvancedSeqHdr;
--subtype GstVC1AdvancedSeqHdr is u_GstVC1AdvancedSeqHdr; -- gst/codecparsers/gstvc1parser.h:141
type GstVC1HrdParam;
type u_GstVC1HrdParam_hrd_rate_array is array (0 .. 30) of aliased GLIB.guint16;
type u_GstVC1HrdParam_hrd_buffer_array is array (0 .. 30) of aliased GLIB.guint16;
--subtype GstVC1HrdParam is u_GstVC1HrdParam; -- gst/codecparsers/gstvc1parser.h:142
type GstVC1EntryPointHdr;
type u_GstVC1EntryPointHdr_hrd_full_array is array (0 .. 30) of aliased GLIB.guint8;
--subtype GstVC1EntryPointHdr is u_GstVC1EntryPointHdr; -- gst/codecparsers/gstvc1parser.h:143
type GstVC1SeqLayer;
--subtype GstVC1SeqLayer is u_GstVC1SeqLayer; -- gst/codecparsers/gstvc1parser.h:145
type GstVC1SeqStructA;
--subtype GstVC1SeqStructA is u_GstVC1SeqStructA; -- gst/codecparsers/gstvc1parser.h:147
type GstVC1SeqStructB;
--subtype GstVC1SeqStructB is u_GstVC1SeqStructB; -- gst/codecparsers/gstvc1parser.h:148
type GstVC1SeqStructC;
--subtype GstVC1SeqStructC is u_GstVC1SeqStructC; -- gst/codecparsers/gstvc1parser.h:149
-- Pictures Structures
type GstVC1FrameLayer;
--subtype GstVC1FrameLayer is u_GstVC1FrameLayer; -- gst/codecparsers/gstvc1parser.h:152
type GstVC1FrameHdr;
type GstVC1PicAdvanced;
--subtype GstVC1PicAdvanced is u_GstVC1PicAdvanced; -- gst/codecparsers/gstvc1parser.h:154
type GstVC1PicSimpleMain;
--subtype GstVC1PicSimpleMain is u_GstVC1PicSimpleMain; -- gst/codecparsers/gstvc1parser.h:155
-- skipped empty struct u_GstVC1Picture
-- skipped empty struct GstVC1Picture
type GstVC1VopDquant;
--subtype GstVC1VopDquant is u_GstVC1VopDquant; -- gst/codecparsers/gstvc1parser.h:158
type GstVC1BitPlanes;
--subtype GstVC1BitPlanes is u_GstVC1BitPlanes; -- gst/codecparsers/gstvc1parser.h:160
type GstVC1BDU;
--subtype GstVC1BDU is u_GstVC1BDU; -- gst/codecparsers/gstvc1parser.h:162
type GstVC1HrdParam is record
hrd_num_leaky_buckets : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:166
bit_rate_exponent : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:167
buffer_size_exponent : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:168
hrd_rate : aliased u_GstVC1HrdParam_hrd_rate_array; -- gst/codecparsers/gstvc1parser.h:169
hrd_buffer : aliased u_GstVC1HrdParam_hrd_buffer_array; -- gst/codecparsers/gstvc1parser.h:170
end record;
pragma Convention (C_Pass_By_Copy, GstVC1HrdParam); -- gst/codecparsers/gstvc1parser.h:164
--*
-- * GstVC1EntryPointHdr:
-- *
-- * Structure for entrypoint header, this will be used only in advanced profiles
--
type GstVC1EntryPointHdr is record
broken_link : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:180
closed_entry : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:181
panscan_flag : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:182
refdist_flag : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:183
loopfilter : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:184
fastuvmc : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:185
extended_mv : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:186
dquant : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:187
vstransform : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:188
overlap : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:189
quantizer : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:190
coded_size_flag : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:191
coded_width : aliased GLIB.guint16; -- gst/codecparsers/gstvc1parser.h:192
coded_height : aliased GLIB.guint16; -- gst/codecparsers/gstvc1parser.h:193
extended_dmv : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:194
range_mapy_flag : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:195
range_mapy : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:196
range_mapuv_flag : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:197
range_mapuv : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:198
hrd_full : aliased u_GstVC1EntryPointHdr_hrd_full_array; -- gst/codecparsers/gstvc1parser.h:200
end record;
pragma Convention (C_Pass_By_Copy, GstVC1EntryPointHdr); -- gst/codecparsers/gstvc1parser.h:178
--*
-- * GstVC1AdvancedSeqHdr:
-- *
-- * Structure for the advanced profile sequence headers specific parameters.
--
type GstVC1AdvancedSeqHdr is record
level : aliased GstVC1Level; -- gst/codecparsers/gstvc1parser.h:210
frmrtq_postproc : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:212
bitrtq_postproc : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:213
postprocflag : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:214
max_coded_width : aliased GLIB.guint16; -- gst/codecparsers/gstvc1parser.h:215
max_coded_height : aliased GLIB.guint16; -- gst/codecparsers/gstvc1parser.h:216
pulldown : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:217
interlace : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:218
tfcntrflag : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:219
finterpflag : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:220
psf : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:221
display_ext : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:222
disp_horiz_size : aliased GLIB.guint16; -- gst/codecparsers/gstvc1parser.h:223
disp_vert_size : aliased GLIB.guint16; -- gst/codecparsers/gstvc1parser.h:224
aspect_ratio_flag : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:225
aspect_ratio : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:226
aspect_horiz_size : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:227
aspect_vert_size : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:228
framerate_flag : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:229
framerateind : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:230
frameratenr : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:231
frameratedr : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:232
framerateexp : aliased GLIB.guint16; -- gst/codecparsers/gstvc1parser.h:233
color_format_flag : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:234
color_prim : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:235
transfer_char : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:236
matrix_coef : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:237
hrd_param_flag : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:238
colordiff_format : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:239
hrd_param : aliased GstVC1HrdParam; -- gst/codecparsers/gstvc1parser.h:241
framerate : aliased GLIB.guint; -- gst/codecparsers/gstvc1parser.h:244
bitrate : aliased GLIB.guint; -- gst/codecparsers/gstvc1parser.h:245
par_n : aliased GLIB.guint; -- gst/codecparsers/gstvc1parser.h:246
par_d : aliased GLIB.guint; -- gst/codecparsers/gstvc1parser.h:247
fps_n : aliased GLIB.guint; -- gst/codecparsers/gstvc1parser.h:248
fps_d : aliased GLIB.guint; -- gst/codecparsers/gstvc1parser.h:249
entrypoint : aliased GstVC1EntryPointHdr; -- gst/codecparsers/gstvc1parser.h:252
end record;
pragma Convention (C_Pass_By_Copy, GstVC1AdvancedSeqHdr); -- gst/codecparsers/gstvc1parser.h:208
-- computed
-- Around in fps, 0 if unknown
-- Around in kpbs, 0 if unknown
-- The last parsed entry point
type GstVC1SeqStructA is record
vert_size : aliased GLIB.guint32; -- gst/codecparsers/gstvc1parser.h:257
horiz_size : aliased GLIB.guint32; -- gst/codecparsers/gstvc1parser.h:258
end record;
pragma Convention (C_Pass_By_Copy, GstVC1SeqStructA); -- gst/codecparsers/gstvc1parser.h:255
type GstVC1SeqStructB is record
level : aliased GstVC1Level; -- gst/codecparsers/gstvc1parser.h:263
cbr : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:265
framerate : aliased GLIB.guint32; -- gst/codecparsers/gstvc1parser.h:266
hrd_buffer : aliased GLIB.guint32; -- gst/codecparsers/gstvc1parser.h:269
hrd_rate : aliased GLIB.guint32; -- gst/codecparsers/gstvc1parser.h:270
end record;
pragma Convention (C_Pass_By_Copy, GstVC1SeqStructB); -- gst/codecparsers/gstvc1parser.h:261
-- In simple and main profiles only
type GstVC1SeqStructC is record
profile : aliased GstVC1Profile; -- gst/codecparsers/gstvc1parser.h:275
frmrtq_postproc : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:278
bitrtq_postproc : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:279
res_sprite : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:280
loop_filter : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:281
multires : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:282
fastuvmc : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:283
extended_mv : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:284
dquant : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:285
vstransform : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:286
overlap : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:287
syncmarker : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:288
rangered : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:289
maxbframes : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:290
quantizer : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:291
finterpflag : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:292
framerate : aliased GLIB.guint; -- gst/codecparsers/gstvc1parser.h:295
bitrate : aliased GLIB.guint; -- gst/codecparsers/gstvc1parser.h:296
coded_width : aliased GLIB.guint16; -- gst/codecparsers/gstvc1parser.h:299
coded_height : aliased GLIB.guint16; -- gst/codecparsers/gstvc1parser.h:301
wmvp : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:304
slice_code : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:306
end record;
pragma Convention (C_Pass_By_Copy, GstVC1SeqStructC); -- gst/codecparsers/gstvc1parser.h:273
-- Only in simple and main profiles
-- Computed
-- Around in fps, 0 if unknown
-- Around in kpbs, 0 if unknown
-- This should be filled by user if previously known
-- This should be filled by user if previously known
-- Wmvp specific
-- Specify if the stream is wmp or not
-- In the wmvp case, the framerate is not computed but in the bistream
type GstVC1SeqLayer is record
numframes : aliased GLIB.guint32; -- gst/codecparsers/gstvc1parser.h:311
struct_a : aliased GstVC1SeqStructA; -- gst/codecparsers/gstvc1parser.h:313
struct_b : aliased GstVC1SeqStructB; -- gst/codecparsers/gstvc1parser.h:314
struct_c : aliased GstVC1SeqStructC; -- gst/codecparsers/gstvc1parser.h:315
end record;
pragma Convention (C_Pass_By_Copy, GstVC1SeqLayer); -- gst/codecparsers/gstvc1parser.h:309
--*
-- * GstVC1SeqHdr:
-- *
-- * Structure for sequence headers in any profile.
--
type GstVC1SeqHdr is record
profile : aliased GstVC1Profile; -- gst/codecparsers/gstvc1parser.h:325
struct_c : aliased GstVC1SeqStructC; -- gst/codecparsers/gstvc1parser.h:327
mb_height : aliased GLIB.guint; -- gst/codecparsers/gstvc1parser.h:330
mb_width : aliased GLIB.guint; -- gst/codecparsers/gstvc1parser.h:331
mb_stride : aliased GLIB.guint; -- gst/codecparsers/gstvc1parser.h:332
advanced : aliased GstVC1AdvancedSeqHdr; -- gst/codecparsers/gstvc1parser.h:334
end record;
pragma Convention (C_Pass_By_Copy, GstVC1SeqHdr); -- gst/codecparsers/gstvc1parser.h:323
-- calculated
--*
-- * GstVC1PicSimpleMain:
-- * @bfaction: Should be divided by #GST_VC1_BFRACTION_BASIS
-- * to get the real value.
--
type GstVC1PicSimpleMain is record
frmcnt : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:345
mvrange : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:346
rangeredfrm : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:347
respic : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:350
transacfrm2 : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:353
bf : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:354
mvmode : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:357
mvtab : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:358
ttmbf : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:359
mvmode2 : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:362
lumscale : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:363
lumshift : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:364
cbptab : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:366
ttfrm : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:367
bfraction : aliased GLIB.guint16; -- gst/codecparsers/gstvc1parser.h:372
mvtypemb : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:376
skipmb : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:377
directmb : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:378
end record;
pragma Convention (C_Pass_By_Copy, GstVC1PicSimpleMain); -- gst/codecparsers/gstvc1parser.h:343
-- I and P pic simple and main profiles only
-- I and BI pic simple and main profiles only
-- B and P pic simple and main profiles only
-- P pic simple and main profiles only
-- B and BI picture only
-- * Should be divided by #GST_VC1_BFRACTION_BASIS
-- * to get the real value.
-- Biplane value, those fields only mention the fact
-- * that the bitplane is in raw mode or not
-- B pic main profile only
--*
-- * GstVC1PicAdvanced:
-- * @bfaction: Should be divided by #GST_VC1_BFRACTION_BASIS
-- * to get the real value.
--
type GstVC1PicAdvanced is record
fcm : aliased GstVC1FrameCodingMode; -- gst/codecparsers/gstvc1parser.h:388
tfcntr : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:389
rptfrm : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:391
tff : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:392
rff : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:393
ps_present : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:394
ps_hoffset : aliased GLIB.guint32; -- gst/codecparsers/gstvc1parser.h:395
ps_voffset : aliased GLIB.guint32; -- gst/codecparsers/gstvc1parser.h:396
ps_width : aliased GLIB.guint16; -- gst/codecparsers/gstvc1parser.h:397
ps_height : aliased GLIB.guint16; -- gst/codecparsers/gstvc1parser.h:398
rndctrl : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:399
uvsamp : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:400
postproc : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:401
mvrange : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:404
mvmode : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:405
mvtab : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:406
cbptab : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:407
ttmbf : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:408
ttfrm : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:409
bfraction : aliased GLIB.guint16; -- gst/codecparsers/gstvc1parser.h:414
mvmode2 : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:417
lumscale : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:418
lumshift : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:419
bf : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:422
condover : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:423
transacfrm2 : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:424
acpred : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:428
overflags : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:429
mvtypemb : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:430
skipmb : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:431
directmb : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:432
forwardmb : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:433
fieldtx : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:436
intcomp : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:439
dmvrange : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:440
mbmodetab : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:441
imvtab : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:442
icbptab : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:443
mvbptab2 : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:444
mvbptab4 : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:445
mvswitch4 : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:448
refdist : aliased GLIB.guint16; -- gst/codecparsers/gstvc1parser.h:451
fptype : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:452
numref : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:455
reffield : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:456
lumscale2 : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:457
lumshift2 : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:458
intcompfield : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:459
end record;
pragma Convention (C_Pass_By_Copy, GstVC1PicAdvanced); -- gst/codecparsers/gstvc1parser.h:386
-- B and P picture specific
-- B and BI picture only
-- * Should be divided by #GST_VC1_BFRACTION_BASIS
-- * to get the real value.
-- ppic
-- bipic
-- Biplane value, those fields only mention the fact
-- * that the bitplane is in raw mode or not
-- B pic interlace field only
-- For interlaced pictures only
-- P and B pictures
-- If 4mvswitch in ppic
-- P picture
-- For interlaced fields only
-- Raw value
-- P pic
type GstVC1BitPlanes is record
acpred : access GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:465
fieldtx : access GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:466
overflags : access GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:467
mvtypemb : access GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:468
skipmb : access GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:469
directmb : access GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:470
forwardmb : access GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:471
size : aliased GLIB.guint; -- gst/codecparsers/gstvc1parser.h:473
end record;
pragma Convention (C_Pass_By_Copy, GstVC1BitPlanes); -- gst/codecparsers/gstvc1parser.h:463
-- Size of the arrays
type GstVC1VopDquant is record
pqdiff : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:478
abspq : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:479
altpquant : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:482
dquantfrm : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:485
dqprofile : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:486
dqsbedge : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:490
dqbedge : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:494
dqbilevel : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:497
end record;
pragma Convention (C_Pass_By_Copy, GstVC1VopDquant); -- gst/codecparsers/gstvc1parser.h:476
-- Computed
-- if dqant != 2
-- if dqprofile == GST_VC1_DQPROFILE_SINGLE_EDGE
-- * or GST_VC1_DQPROFILE_DOUBLE_EDGE:
-- if dqprofile == GST_VC1_DQPROFILE_SINGLE_EDGE
-- * or GST_VC1_DQPROFILE_DOUBLE_EDGE:
-- if dqprofile == GST_VC1_DQPROFILE_ALL_MBS
type GstVC1FrameLayer is record
key : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:503
framesize : aliased GLIB.guint32; -- gst/codecparsers/gstvc1parser.h:504
timestamp : aliased GLIB.guint32; -- gst/codecparsers/gstvc1parser.h:506
next_framelayer_offset : aliased GLIB.guint32; -- gst/codecparsers/gstvc1parser.h:509
skiped_p_frame : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:510
end record;
pragma Convention (C_Pass_By_Copy, GstVC1FrameLayer); -- gst/codecparsers/gstvc1parser.h:501
-- calculated
--*
-- * GstVC1FrameHdr:
-- *
-- * Structure that represent picture in any profile or mode.
-- * You should look at @ptype and @profile to know what is currently
-- * in use.
--
-- common fields
type anon_433 (discr : unsigned := 0) is record
case discr is
when 0 =>
simple : aliased GstVC1PicSimpleMain; -- gst/codecparsers/gstvc1parser.h:542
when others =>
advanced : aliased GstVC1PicAdvanced; -- gst/codecparsers/gstvc1parser.h:543
end case;
end record;
pragma Convention (C_Pass_By_Copy, anon_433);
pragma Unchecked_Union (anon_433);--subtype GstVC1FrameHdr is u_GstVC1FrameHdr; -- gst/codecparsers/gstvc1parser.h:153
type GstVC1FrameHdr is record
ptype : aliased GstVC1PictureType; -- gst/codecparsers/gstvc1parser.h:523
interpfrm : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:524
halfqp : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:525
transacfrm : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:526
transdctab : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:527
pqindex : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:528
pquantizer : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:529
pquant : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:532
profile : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:535
dquant : aliased GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:536
vopdquant : aliased GstVC1VopDquant; -- gst/codecparsers/gstvc1parser.h:539
pic : aliased anon_433; -- gst/codecparsers/gstvc1parser.h:544
header_size : aliased GLIB.guint; -- gst/codecparsers/gstvc1parser.h:547
end record;
pragma Convention (C_Pass_By_Copy, GstVC1FrameHdr); -- gst/codecparsers/gstvc1parser.h:520
-- Computed
-- Convenience fields
-- If dquant
-- Size of the picture layer in bits
--*
-- * GstVC1BDU:
-- *
-- * Structure that represents a Bitstream Data Unit.
--
type GstVC1BDU is record
c_type : aliased GstVC1StartCode; -- gst/codecparsers/gstvc1parser.h:557
size : aliased GLIB.guint; -- gst/codecparsers/gstvc1parser.h:558
sc_offset : aliased GLIB.guint; -- gst/codecparsers/gstvc1parser.h:559
offset : aliased GLIB.guint; -- gst/codecparsers/gstvc1parser.h:560
data : access GLIB.guint8; -- gst/codecparsers/gstvc1parser.h:561
end record;
pragma Convention (C_Pass_By_Copy, GstVC1BDU); -- gst/codecparsers/gstvc1parser.h:555
function gst_vc1_identify_next_bdu
(data : access GLIB.guint8;
size : GLIB.gsize;
bdu : access GstVC1BDU) return GstVC1ParserResult; -- gst/codecparsers/gstvc1parser.h:564
pragma Import (C, gst_vc1_identify_next_bdu, "gst_vc1_identify_next_bdu");
function gst_vc1_parse_sequence_header
(data : access GLIB.guint8;
size : GLIB.gsize;
seqhdr : access GstVC1SeqHdr) return GstVC1ParserResult; -- gst/codecparsers/gstvc1parser.h:569
pragma Import (C, gst_vc1_parse_sequence_header, "gst_vc1_parse_sequence_header");
function gst_vc1_parse_entry_point_header
(data : access GLIB.guint8;
size : GLIB.gsize;
entrypoint : access GstVC1EntryPointHdr;
seqhdr : access GstVC1SeqHdr) return GstVC1ParserResult; -- gst/codecparsers/gstvc1parser.h:573
pragma Import (C, gst_vc1_parse_entry_point_header, "gst_vc1_parse_entry_point_header");
function gst_vc1_parse_sequence_layer
(data : access GLIB.guint8;
size : GLIB.gsize;
seqlayer : access GstVC1SeqLayer) return GstVC1ParserResult; -- gst/codecparsers/gstvc1parser.h:578
pragma Import (C, gst_vc1_parse_sequence_layer, "gst_vc1_parse_sequence_layer");
function gst_vc1_parse_sequence_header_struct_a
(data : access GLIB.guint8;
size : GLIB.gsize;
structa : access GstVC1SeqStructA) return GstVC1ParserResult; -- gst/codecparsers/gstvc1parser.h:583
pragma Import (C, gst_vc1_parse_sequence_header_struct_a, "gst_vc1_parse_sequence_header_struct_a");
function gst_vc1_parse_sequence_header_struct_b
(data : access GLIB.guint8;
size : GLIB.gsize;
structb : access GstVC1SeqStructB) return GstVC1ParserResult; -- gst/codecparsers/gstvc1parser.h:587
pragma Import (C, gst_vc1_parse_sequence_header_struct_b, "gst_vc1_parse_sequence_header_struct_b");
function gst_vc1_parse_sequence_header_struct_c
(data : access GLIB.guint8;
size : GLIB.gsize;
structc : access GstVC1SeqStructC) return GstVC1ParserResult; -- gst/codecparsers/gstvc1parser.h:592
pragma Import (C, gst_vc1_parse_sequence_header_struct_c, "gst_vc1_parse_sequence_header_struct_c");
function gst_vc1_parse_frame_layer
(data : access GLIB.guint8;
size : GLIB.gsize;
framelayer : access GstVC1FrameLayer) return GstVC1ParserResult; -- gst/codecparsers/gstvc1parser.h:596
pragma Import (C, gst_vc1_parse_frame_layer, "gst_vc1_parse_frame_layer");
function gst_vc1_parse_frame_header
(data : access GLIB.guint8;
size : GLIB.gsize;
framehdr : access GstVC1FrameHdr;
seqhdr : access GstVC1SeqHdr;
bitplanes : access GstVC1BitPlanes) return GstVC1ParserResult; -- gst/codecparsers/gstvc1parser.h:600
pragma Import (C, gst_vc1_parse_frame_header, "gst_vc1_parse_frame_header");
function gst_vc1_parse_field_header
(data : access GLIB.guint8;
size : GLIB.gsize;
fieldhdr : access GstVC1FrameHdr;
seqhdr : access GstVC1SeqHdr;
bitplanes : access GstVC1BitPlanes) return GstVC1ParserResult; -- gst/codecparsers/gstvc1parser.h:606
pragma Import (C, gst_vc1_parse_field_header, "gst_vc1_parse_field_header");
function gst_vc1_bitplanes_new return access GstVC1BitPlanes; -- gst/codecparsers/gstvc1parser.h:612
pragma Import (C, gst_vc1_bitplanes_new, "gst_vc1_bitplanes_new");
procedure gst_vc1_bitplanes_free (bitplanes : access GstVC1BitPlanes); -- gst/codecparsers/gstvc1parser.h:614
pragma Import (C, gst_vc1_bitplanes_free, "gst_vc1_bitplanes_free");
procedure gst_vc1_bitplanes_free_1 (bitplanes : access GstVC1BitPlanes); -- gst/codecparsers/gstvc1parser.h:616
pragma Import (C, gst_vc1_bitplanes_free_1, "gst_vc1_bitplanes_free_1");
function gst_vc1_bitplanes_ensure_size (bitplanes : access GstVC1BitPlanes; seqhdr : access GstVC1SeqHdr) return GLIB.gboolean; -- gst/codecparsers/gstvc1parser.h:618
pragma Import (C, gst_vc1_bitplanes_ensure_size, "gst_vc1_bitplanes_ensure_size");
end GStreamer.GST_Low_Level.gstreamer_0_10_gst_codecparsers_gstvc1parser_h;
|
reznikmm/matreshka | Ada | 253,226 | adb | ------------------------------------------------------------------------------
-- --
-- Matreshka Project --
-- --
-- Ada Modeling Framework --
-- --
-- Runtime Library Component --
-- --
------------------------------------------------------------------------------
-- --
-- Copyright © 2012-2013, Vadim Godunko <[email protected]> --
-- All rights reserved. --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions --
-- are met: --
-- --
-- * Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- --
-- * Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in the --
-- documentation and/or other materials provided with the distribution. --
-- --
-- * Neither the name of the Vadim Godunko, IE nor the names of its --
-- contributors may be used to endorse or promote products derived from --
-- this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED --
-- TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR --
-- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF --
-- LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING --
-- NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS --
-- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
-- $Revision$ $Date$
------------------------------------------------------------------------------
-- This file is generated, don't edit it.
------------------------------------------------------------------------------
with AMF.Internals.Links;
with AMF.Internals.Tables.OCL_Element_Table;
with AMF.Internals.Tables.OCL_Metamodel;
with AMF.Internals.Tables.OCL_Notification;
with AMF.Internals.Tables.OCL_Types;
with AMF.Internals.Tables.Primitive_Types_Notification;
with AMF.Internals.Tables.UML_Metamodel;
with AMF.Internals.Tables.UML_Notification;
package body AMF.Internals.Tables.OCL_Attributes is
use type Matreshka.Internals.Strings.Shared_String_Access;
-- AnyType
--
-- 12 Classifier::isAbstract
-- 13 Classifier::isFinalSpecialization
-- 11 RedefinableElement::isLeaf
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 14 Classifier::ownedTemplateSignature
-- 10 TemplateableElement::ownedTemplateSignature
-- 1 Element::owner
-- 8 ParameterableElement::owningTemplateParameter
-- 7 Type::package
-- 5 NamedElement::qualifiedName
-- 15 Classifier::representation
-- 16 Classifier::templateParameter
-- 9 ParameterableElement::templateParameter
-- 6 NamedElement::visibility
-- 6 PackageableElement::visibility
--
-- 13 Classifier::attribute
-- 3 NamedElement::clientDependency
-- 14 Classifier::collaborationUse
-- 4 Namespace::elementImport
-- 15 Classifier::feature
-- 16 Classifier::general
-- 17 Classifier::generalization
-- 5 Namespace::importedMember
-- 18 Classifier::inheritedMember
-- 6 Namespace::member
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- 7 Namespace::ownedMember
-- 8 Namespace::ownedRule
-- 19 Classifier::ownedUseCase
-- 9 Namespace::packageImport
-- 20 Classifier::powertypeExtent
-- 21 Classifier::redefinedClassifier
-- 11 RedefinableElement::redefinedElement
-- 12 RedefinableElement::redefinitionContext
-- 22 Classifier::substitution
-- 10 TemplateableElement::templateBinding
-- 23 Classifier::useCase
-- AssociationClassCallExp
--
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 9 NavigationCallExp::navigationSource
-- 1 Element::owner
-- 5 NamedElement::qualifiedName
-- 10 AssociationClassCallExp::referredAssociationClass
-- 8 CallExp::source
-- 7 TypedElement::type
-- 6 NamedElement::visibility
--
-- 3 NamedElement::clientDependency
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- 4 NavigationCallExp::qualifier
-- BagType
--
-- 17 CollectionType::elementType
-- 12 Classifier::isAbstract
-- 13 Classifier::isFinalSpecialization
-- 11 RedefinableElement::isLeaf
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 14 Classifier::ownedTemplateSignature
-- 10 TemplateableElement::ownedTemplateSignature
-- 1 Element::owner
-- 8 ParameterableElement::owningTemplateParameter
-- 7 Type::package
-- 5 NamedElement::qualifiedName
-- 15 Classifier::representation
-- 16 Classifier::templateParameter
-- 9 ParameterableElement::templateParameter
-- 6 NamedElement::visibility
-- 6 PackageableElement::visibility
--
-- 13 Classifier::attribute
-- 3 NamedElement::clientDependency
-- 14 Classifier::collaborationUse
-- 4 Namespace::elementImport
-- 15 Classifier::feature
-- 16 Classifier::general
-- 17 Classifier::generalization
-- 5 Namespace::importedMember
-- 18 Classifier::inheritedMember
-- 6 Namespace::member
-- 24 DataType::ownedAttribute
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- 7 Namespace::ownedMember
-- 25 DataType::ownedOperation
-- 8 Namespace::ownedRule
-- 19 Classifier::ownedUseCase
-- 9 Namespace::packageImport
-- 20 Classifier::powertypeExtent
-- 21 Classifier::redefinedClassifier
-- 11 RedefinableElement::redefinedElement
-- 12 RedefinableElement::redefinitionContext
-- 22 Classifier::substitution
-- 10 TemplateableElement::templateBinding
-- 23 Classifier::useCase
-- BooleanLiteralExp
--
-- 8 BooleanLiteralExp::booleanSymbol
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 1 Element::owner
-- 5 NamedElement::qualifiedName
-- 7 TypedElement::type
-- 6 NamedElement::visibility
--
-- 3 NamedElement::clientDependency
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- CollectionItem
--
-- 8 CollectionItem::item
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 1 Element::owner
-- 5 NamedElement::qualifiedName
-- 7 TypedElement::type
-- 6 NamedElement::visibility
--
-- 3 NamedElement::clientDependency
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- CollectionLiteralExp
--
-- 8 CollectionLiteralExp::kind
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 1 Element::owner
-- 5 NamedElement::qualifiedName
-- 7 TypedElement::type
-- 6 NamedElement::visibility
--
-- 3 NamedElement::clientDependency
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- 4 CollectionLiteralExp::part
-- CollectionRange
--
-- 8 CollectionRange::first
-- 9 CollectionRange::last
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 1 Element::owner
-- 5 NamedElement::qualifiedName
-- 7 TypedElement::type
-- 6 NamedElement::visibility
--
-- 3 NamedElement::clientDependency
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- CollectionType
--
-- 17 CollectionType::elementType
-- 12 Classifier::isAbstract
-- 13 Classifier::isFinalSpecialization
-- 11 RedefinableElement::isLeaf
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 14 Classifier::ownedTemplateSignature
-- 10 TemplateableElement::ownedTemplateSignature
-- 1 Element::owner
-- 8 ParameterableElement::owningTemplateParameter
-- 7 Type::package
-- 5 NamedElement::qualifiedName
-- 15 Classifier::representation
-- 16 Classifier::templateParameter
-- 9 ParameterableElement::templateParameter
-- 6 NamedElement::visibility
-- 6 PackageableElement::visibility
--
-- 13 Classifier::attribute
-- 3 NamedElement::clientDependency
-- 14 Classifier::collaborationUse
-- 4 Namespace::elementImport
-- 15 Classifier::feature
-- 16 Classifier::general
-- 17 Classifier::generalization
-- 5 Namespace::importedMember
-- 18 Classifier::inheritedMember
-- 6 Namespace::member
-- 24 DataType::ownedAttribute
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- 7 Namespace::ownedMember
-- 25 DataType::ownedOperation
-- 8 Namespace::ownedRule
-- 19 Classifier::ownedUseCase
-- 9 Namespace::packageImport
-- 20 Classifier::powertypeExtent
-- 21 Classifier::redefinedClassifier
-- 11 RedefinableElement::redefinedElement
-- 12 RedefinableElement::redefinitionContext
-- 22 Classifier::substitution
-- 10 TemplateableElement::templateBinding
-- 23 Classifier::useCase
-- EnumLiteralExp
--
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 1 Element::owner
-- 5 NamedElement::qualifiedName
-- 8 EnumLiteralExp::referredEnumLiteral
-- 7 TypedElement::type
-- 6 NamedElement::visibility
--
-- 3 NamedElement::clientDependency
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- ExpressionInOcl
--
-- 10 OpaqueExpression::behavior
-- 11 OpaqueExpression::body
-- 14 ExpressionInOcl::bodyExpression
-- 15 ExpressionInOcl::contextVariable
-- 17 ExpressionInOcl::generatedType
-- 12 OpaqueExpression::language
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 1 Element::owner
-- 8 ParameterableElement::owningTemplateParameter
-- 5 NamedElement::qualifiedName
-- 13 OpaqueExpression::result
-- 16 ExpressionInOcl::resultVariable
-- 9 ParameterableElement::templateParameter
-- 7 TypedElement::type
-- 6 NamedElement::visibility
-- 6 PackageableElement::visibility
--
-- 3 NamedElement::clientDependency
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- 4 ExpressionInOcl::parameterVariable
-- IfExp
--
-- 8 IfExp::condition
-- 10 IfExp::elseExpression
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 1 Element::owner
-- 5 NamedElement::qualifiedName
-- 9 IfExp::thenExpression
-- 7 TypedElement::type
-- 6 NamedElement::visibility
--
-- 3 NamedElement::clientDependency
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- IntegerLiteralExp
--
-- 8 IntegerLiteralExp::integerSymbol
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 1 Element::owner
-- 5 NamedElement::qualifiedName
-- 7 TypedElement::type
-- 6 NamedElement::visibility
--
-- 3 NamedElement::clientDependency
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- InvalidLiteralExp
--
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 1 Element::owner
-- 5 NamedElement::qualifiedName
-- 7 TypedElement::type
-- 6 NamedElement::visibility
--
-- 3 NamedElement::clientDependency
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- InvalidType
--
-- 12 Classifier::isAbstract
-- 13 Classifier::isFinalSpecialization
-- 11 RedefinableElement::isLeaf
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 14 Classifier::ownedTemplateSignature
-- 10 TemplateableElement::ownedTemplateSignature
-- 1 Element::owner
-- 8 ParameterableElement::owningTemplateParameter
-- 7 Type::package
-- 5 NamedElement::qualifiedName
-- 15 Classifier::representation
-- 16 Classifier::templateParameter
-- 9 ParameterableElement::templateParameter
-- 6 NamedElement::visibility
-- 6 PackageableElement::visibility
--
-- 13 Classifier::attribute
-- 3 NamedElement::clientDependency
-- 14 Classifier::collaborationUse
-- 4 Namespace::elementImport
-- 15 Classifier::feature
-- 16 Classifier::general
-- 17 Classifier::generalization
-- 5 Namespace::importedMember
-- 18 Classifier::inheritedMember
-- 6 Namespace::member
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- 7 Namespace::ownedMember
-- 8 Namespace::ownedRule
-- 19 Classifier::ownedUseCase
-- 9 Namespace::packageImport
-- 20 Classifier::powertypeExtent
-- 21 Classifier::redefinedClassifier
-- 11 RedefinableElement::redefinedElement
-- 12 RedefinableElement::redefinitionContext
-- 22 Classifier::substitution
-- 10 TemplateableElement::templateBinding
-- 23 Classifier::useCase
-- IterateExp
--
-- 9 LoopExp::body
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 1 Element::owner
-- 5 NamedElement::qualifiedName
-- 10 IterateExp::result
-- 8 CallExp::source
-- 7 TypedElement::type
-- 6 NamedElement::visibility
--
-- 3 NamedElement::clientDependency
-- 4 LoopExp::iterator
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- IteratorExp
--
-- 9 LoopExp::body
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 1 Element::owner
-- 5 NamedElement::qualifiedName
-- 8 CallExp::source
-- 7 TypedElement::type
-- 6 NamedElement::visibility
--
-- 3 NamedElement::clientDependency
-- 4 LoopExp::iterator
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- LetExp
--
-- 8 LetExp::in
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 1 Element::owner
-- 5 NamedElement::qualifiedName
-- 7 TypedElement::type
-- 9 LetExp::variable
-- 6 NamedElement::visibility
--
-- 3 NamedElement::clientDependency
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- MessageExp
--
-- 9 MessageExp::calledOperation
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 1 Element::owner
-- 5 NamedElement::qualifiedName
-- 10 MessageExp::sentSignal
-- 8 MessageExp::target
-- 7 TypedElement::type
-- 6 NamedElement::visibility
--
-- 4 MessageExp::argument
-- 3 NamedElement::clientDependency
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- MessageType
--
-- 12 Classifier::isAbstract
-- 13 Classifier::isFinalSpecialization
-- 11 RedefinableElement::isLeaf
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 14 Classifier::ownedTemplateSignature
-- 10 TemplateableElement::ownedTemplateSignature
-- 1 Element::owner
-- 8 ParameterableElement::owningTemplateParameter
-- 7 Type::package
-- 5 NamedElement::qualifiedName
-- 18 MessageType::referredOperation
-- 17 MessageType::referredSignal
-- 15 Classifier::representation
-- 16 Classifier::templateParameter
-- 9 ParameterableElement::templateParameter
-- 6 NamedElement::visibility
-- 6 PackageableElement::visibility
--
-- 13 Classifier::attribute
-- 3 NamedElement::clientDependency
-- 14 Classifier::collaborationUse
-- 4 Namespace::elementImport
-- 15 Classifier::feature
-- 16 Classifier::general
-- 17 Classifier::generalization
-- 5 Namespace::importedMember
-- 18 Classifier::inheritedMember
-- 6 Namespace::member
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- 7 Namespace::ownedMember
-- 8 Namespace::ownedRule
-- 19 Classifier::ownedUseCase
-- 9 Namespace::packageImport
-- 20 Classifier::powertypeExtent
-- 21 Classifier::redefinedClassifier
-- 11 RedefinableElement::redefinedElement
-- 12 RedefinableElement::redefinitionContext
-- 22 Classifier::substitution
-- 10 TemplateableElement::templateBinding
-- 23 Classifier::useCase
-- NullLiteralExp
--
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 1 Element::owner
-- 5 NamedElement::qualifiedName
-- 7 TypedElement::type
-- 6 NamedElement::visibility
--
-- 3 NamedElement::clientDependency
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- OperationCallExp
--
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 1 Element::owner
-- 5 NamedElement::qualifiedName
-- 9 OperationCallExp::referredOperation
-- 8 CallExp::source
-- 7 TypedElement::type
-- 6 NamedElement::visibility
--
-- 4 OperationCallExp::argument
-- 3 NamedElement::clientDependency
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- OrderedSetType
--
-- 17 CollectionType::elementType
-- 12 Classifier::isAbstract
-- 13 Classifier::isFinalSpecialization
-- 11 RedefinableElement::isLeaf
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 14 Classifier::ownedTemplateSignature
-- 10 TemplateableElement::ownedTemplateSignature
-- 1 Element::owner
-- 8 ParameterableElement::owningTemplateParameter
-- 7 Type::package
-- 5 NamedElement::qualifiedName
-- 15 Classifier::representation
-- 16 Classifier::templateParameter
-- 9 ParameterableElement::templateParameter
-- 6 NamedElement::visibility
-- 6 PackageableElement::visibility
--
-- 13 Classifier::attribute
-- 3 NamedElement::clientDependency
-- 14 Classifier::collaborationUse
-- 4 Namespace::elementImport
-- 15 Classifier::feature
-- 16 Classifier::general
-- 17 Classifier::generalization
-- 5 Namespace::importedMember
-- 18 Classifier::inheritedMember
-- 6 Namespace::member
-- 24 DataType::ownedAttribute
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- 7 Namespace::ownedMember
-- 25 DataType::ownedOperation
-- 8 Namespace::ownedRule
-- 19 Classifier::ownedUseCase
-- 9 Namespace::packageImport
-- 20 Classifier::powertypeExtent
-- 21 Classifier::redefinedClassifier
-- 11 RedefinableElement::redefinedElement
-- 12 RedefinableElement::redefinitionContext
-- 22 Classifier::substitution
-- 10 TemplateableElement::templateBinding
-- 23 Classifier::useCase
-- PropertyCallExp
--
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 9 NavigationCallExp::navigationSource
-- 1 Element::owner
-- 5 NamedElement::qualifiedName
-- 10 PropertyCallExp::referredProperty
-- 8 CallExp::source
-- 7 TypedElement::type
-- 6 NamedElement::visibility
--
-- 3 NamedElement::clientDependency
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- 4 NavigationCallExp::qualifier
-- RealLiteralExp
--
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 1 Element::owner
-- 5 NamedElement::qualifiedName
-- 8 RealLiteralExp::realSymbol
-- 7 TypedElement::type
-- 6 NamedElement::visibility
--
-- 3 NamedElement::clientDependency
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- SequenceType
--
-- 17 CollectionType::elementType
-- 12 Classifier::isAbstract
-- 13 Classifier::isFinalSpecialization
-- 11 RedefinableElement::isLeaf
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 14 Classifier::ownedTemplateSignature
-- 10 TemplateableElement::ownedTemplateSignature
-- 1 Element::owner
-- 8 ParameterableElement::owningTemplateParameter
-- 7 Type::package
-- 5 NamedElement::qualifiedName
-- 15 Classifier::representation
-- 16 Classifier::templateParameter
-- 9 ParameterableElement::templateParameter
-- 6 NamedElement::visibility
-- 6 PackageableElement::visibility
--
-- 13 Classifier::attribute
-- 3 NamedElement::clientDependency
-- 14 Classifier::collaborationUse
-- 4 Namespace::elementImport
-- 15 Classifier::feature
-- 16 Classifier::general
-- 17 Classifier::generalization
-- 5 Namespace::importedMember
-- 18 Classifier::inheritedMember
-- 6 Namespace::member
-- 24 DataType::ownedAttribute
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- 7 Namespace::ownedMember
-- 25 DataType::ownedOperation
-- 8 Namespace::ownedRule
-- 19 Classifier::ownedUseCase
-- 9 Namespace::packageImport
-- 20 Classifier::powertypeExtent
-- 21 Classifier::redefinedClassifier
-- 11 RedefinableElement::redefinedElement
-- 12 RedefinableElement::redefinitionContext
-- 22 Classifier::substitution
-- 10 TemplateableElement::templateBinding
-- 23 Classifier::useCase
-- SetType
--
-- 17 CollectionType::elementType
-- 12 Classifier::isAbstract
-- 13 Classifier::isFinalSpecialization
-- 11 RedefinableElement::isLeaf
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 14 Classifier::ownedTemplateSignature
-- 10 TemplateableElement::ownedTemplateSignature
-- 1 Element::owner
-- 8 ParameterableElement::owningTemplateParameter
-- 7 Type::package
-- 5 NamedElement::qualifiedName
-- 15 Classifier::representation
-- 16 Classifier::templateParameter
-- 9 ParameterableElement::templateParameter
-- 6 NamedElement::visibility
-- 6 PackageableElement::visibility
--
-- 13 Classifier::attribute
-- 3 NamedElement::clientDependency
-- 14 Classifier::collaborationUse
-- 4 Namespace::elementImport
-- 15 Classifier::feature
-- 16 Classifier::general
-- 17 Classifier::generalization
-- 5 Namespace::importedMember
-- 18 Classifier::inheritedMember
-- 6 Namespace::member
-- 24 DataType::ownedAttribute
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- 7 Namespace::ownedMember
-- 25 DataType::ownedOperation
-- 8 Namespace::ownedRule
-- 19 Classifier::ownedUseCase
-- 9 Namespace::packageImport
-- 20 Classifier::powertypeExtent
-- 21 Classifier::redefinedClassifier
-- 11 RedefinableElement::redefinedElement
-- 12 RedefinableElement::redefinitionContext
-- 22 Classifier::substitution
-- 10 TemplateableElement::templateBinding
-- 23 Classifier::useCase
-- StateExp
--
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 1 Element::owner
-- 5 NamedElement::qualifiedName
-- 8 StateExp::referredState
-- 7 TypedElement::type
-- 6 NamedElement::visibility
--
-- 3 NamedElement::clientDependency
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- StringLiteralExp
--
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 1 Element::owner
-- 5 NamedElement::qualifiedName
-- 8 StringLiteralExp::stringSymbol
-- 7 TypedElement::type
-- 6 NamedElement::visibility
--
-- 3 NamedElement::clientDependency
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- TemplateParameterType
--
-- 12 Classifier::isAbstract
-- 13 Classifier::isFinalSpecialization
-- 11 RedefinableElement::isLeaf
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 14 Classifier::ownedTemplateSignature
-- 10 TemplateableElement::ownedTemplateSignature
-- 1 Element::owner
-- 8 ParameterableElement::owningTemplateParameter
-- 7 Type::package
-- 5 NamedElement::qualifiedName
-- 15 Classifier::representation
-- 17 TemplateParameterType::specification
-- 16 Classifier::templateParameter
-- 9 ParameterableElement::templateParameter
-- 6 NamedElement::visibility
-- 6 PackageableElement::visibility
--
-- 13 Classifier::attribute
-- 3 NamedElement::clientDependency
-- 14 Classifier::collaborationUse
-- 4 Namespace::elementImport
-- 15 Classifier::feature
-- 16 Classifier::general
-- 17 Classifier::generalization
-- 5 Namespace::importedMember
-- 18 Classifier::inheritedMember
-- 6 Namespace::member
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- 7 Namespace::ownedMember
-- 8 Namespace::ownedRule
-- 19 Classifier::ownedUseCase
-- 9 Namespace::packageImport
-- 20 Classifier::powertypeExtent
-- 21 Classifier::redefinedClassifier
-- 11 RedefinableElement::redefinedElement
-- 12 RedefinableElement::redefinitionContext
-- 22 Classifier::substitution
-- 10 TemplateableElement::templateBinding
-- 23 Classifier::useCase
-- TupleLiteralExp
--
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 1 Element::owner
-- 5 NamedElement::qualifiedName
-- 7 TypedElement::type
-- 6 NamedElement::visibility
--
-- 3 NamedElement::clientDependency
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- 4 TupleLiteralExp::part
-- TupleLiteralPart
--
-- 8 TupleLiteralPart::attribute
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 1 Element::owner
-- 5 NamedElement::qualifiedName
-- 7 TypedElement::type
-- 6 NamedElement::visibility
--
-- 3 NamedElement::clientDependency
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- TupleType
--
-- 12 Classifier::isAbstract
-- 13 Classifier::isFinalSpecialization
-- 11 RedefinableElement::isLeaf
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 14 Classifier::ownedTemplateSignature
-- 10 TemplateableElement::ownedTemplateSignature
-- 1 Element::owner
-- 8 ParameterableElement::owningTemplateParameter
-- 7 Type::package
-- 5 NamedElement::qualifiedName
-- 15 Classifier::representation
-- 16 Classifier::templateParameter
-- 9 ParameterableElement::templateParameter
-- 6 NamedElement::visibility
-- 6 PackageableElement::visibility
--
-- 13 Classifier::attribute
-- 3 NamedElement::clientDependency
-- 14 Classifier::collaborationUse
-- 4 Namespace::elementImport
-- 15 Classifier::feature
-- 16 Classifier::general
-- 17 Classifier::generalization
-- 5 Namespace::importedMember
-- 18 Classifier::inheritedMember
-- 6 Namespace::member
-- 24 DataType::ownedAttribute
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- 7 Namespace::ownedMember
-- 25 DataType::ownedOperation
-- 8 Namespace::ownedRule
-- 19 Classifier::ownedUseCase
-- 9 Namespace::packageImport
-- 20 Classifier::powertypeExtent
-- 21 Classifier::redefinedClassifier
-- 11 RedefinableElement::redefinedElement
-- 12 RedefinableElement::redefinitionContext
-- 22 Classifier::substitution
-- 10 TemplateableElement::templateBinding
-- 23 Classifier::useCase
-- TypeExp
--
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 1 Element::owner
-- 5 NamedElement::qualifiedName
-- 8 TypeExp::referredType
-- 7 TypedElement::type
-- 6 NamedElement::visibility
--
-- 3 NamedElement::clientDependency
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- UnlimitedNaturalLiteralExp
--
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 1 Element::owner
-- 5 NamedElement::qualifiedName
-- 7 TypedElement::type
-- 8 UnlimitedNaturalLiteralExp::unlimitedNaturalSymbol
-- 6 NamedElement::visibility
--
-- 3 NamedElement::clientDependency
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- UnspecifiedValueExp
--
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 1 Element::owner
-- 5 NamedElement::qualifiedName
-- 7 TypedElement::type
-- 6 NamedElement::visibility
--
-- 3 NamedElement::clientDependency
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- Variable
--
-- 8 Variable::initExpression
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 1 Element::owner
-- 5 NamedElement::qualifiedName
-- 9 Variable::representedParameter
-- 7 TypedElement::type
-- 6 NamedElement::visibility
--
-- 3 NamedElement::clientDependency
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- VariableExp
--
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 1 Element::owner
-- 5 NamedElement::qualifiedName
-- 8 VariableExp::referredVariable
-- 7 TypedElement::type
-- 6 NamedElement::visibility
--
-- 3 NamedElement::clientDependency
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- VoidType
--
-- 12 Classifier::isAbstract
-- 13 Classifier::isFinalSpecialization
-- 11 RedefinableElement::isLeaf
-- 2 NamedElement::name
-- 3 NamedElement::nameExpression
-- 4 NamedElement::namespace
-- 14 Classifier::ownedTemplateSignature
-- 10 TemplateableElement::ownedTemplateSignature
-- 1 Element::owner
-- 8 ParameterableElement::owningTemplateParameter
-- 7 Type::package
-- 5 NamedElement::qualifiedName
-- 15 Classifier::representation
-- 16 Classifier::templateParameter
-- 9 ParameterableElement::templateParameter
-- 6 NamedElement::visibility
-- 6 PackageableElement::visibility
--
-- 13 Classifier::attribute
-- 3 NamedElement::clientDependency
-- 14 Classifier::collaborationUse
-- 4 Namespace::elementImport
-- 15 Classifier::feature
-- 16 Classifier::general
-- 17 Classifier::generalization
-- 5 Namespace::importedMember
-- 18 Classifier::inheritedMember
-- 6 Namespace::member
-- 1 Element::ownedComment
-- 2 Element::ownedElement
-- 7 Namespace::ownedMember
-- 8 Namespace::ownedRule
-- 19 Classifier::ownedUseCase
-- 9 Namespace::packageImport
-- 20 Classifier::powertypeExtent
-- 21 Classifier::redefinedClassifier
-- 11 RedefinableElement::redefinedElement
-- 12 RedefinableElement::redefinitionContext
-- 22 Classifier::substitution
-- 10 TemplateableElement::templateBinding
-- 23 Classifier::useCase
---------------------------
-- Internal_Get_Argument --
---------------------------
function Internal_Get_Argument
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 4;
when AMF.Internals.Tables.OCL_Types.E_OCL_Operation_Call_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 4;
when others =>
raise Program_Error;
end case;
end Internal_Get_Argument;
----------------------------
-- Internal_Get_Attribute --
----------------------------
function Internal_Get_Attribute
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Literal_Part =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Attribute;
----------------------------
-- Internal_Get_Attribute --
----------------------------
function Internal_Get_Attribute
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 13;
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 13;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 13;
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 13;
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 13;
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 13;
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 13;
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 13;
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 13;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 13;
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 13;
when others =>
raise Program_Error;
end case;
end Internal_Get_Attribute;
---------------------------
-- Internal_Get_Behavior --
---------------------------
function Internal_Get_Behavior
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Expression_In_Ocl =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (10).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Behavior;
-----------------------
-- Internal_Get_Body --
-----------------------
function Internal_Get_Body
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Iterate_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (9).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Iterator_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (9).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Body;
-----------------------
-- Internal_Get_Body --
-----------------------
function Internal_Get_Body
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_String is
begin
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (11).String_Collection;
end Internal_Get_Body;
----------------------------------
-- Internal_Get_Body_Expression --
----------------------------------
function Internal_Get_Body_Expression
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Expression_In_Ocl =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (14).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Body_Expression;
---------------------------------
-- Internal_Get_Boolean_Symbol --
---------------------------------
function Internal_Get_Boolean_Symbol
(Self : AMF.Internals.AMF_Element)
return Boolean is
begin
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Boolean_Value;
end Internal_Get_Boolean_Symbol;
-----------------------------------
-- Internal_Get_Called_Operation --
-----------------------------------
function Internal_Get_Called_Operation
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (9).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Called_Operation;
------------------------------------
-- Internal_Get_Client_Dependency --
------------------------------------
function Internal_Get_Client_Dependency
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Association_Class_Call_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Boolean_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Item =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Range =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Enum_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Expression_In_Ocl =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_If_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Integer_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Iterate_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Iterator_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Let_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Null_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Operation_Call_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Property_Call_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Real_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_State_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_String_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Literal_Part =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Type_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Unlimited_Natural_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Unspecified_Value_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Variable =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Variable_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 3;
when others =>
raise Program_Error;
end case;
end Internal_Get_Client_Dependency;
------------------------------------
-- Internal_Get_Collaboration_Use --
------------------------------------
function Internal_Get_Collaboration_Use
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 14;
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 14;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 14;
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 14;
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 14;
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 14;
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 14;
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 14;
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 14;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 14;
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 14;
when others =>
raise Program_Error;
end case;
end Internal_Get_Collaboration_Use;
----------------------------
-- Internal_Get_Condition --
----------------------------
function Internal_Get_Condition
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_If_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Condition;
-----------------------------------
-- Internal_Get_Context_Variable --
-----------------------------------
function Internal_Get_Context_Variable
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Expression_In_Ocl =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (15).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Context_Variable;
---------------------------------
-- Internal_Get_Element_Import --
---------------------------------
function Internal_Get_Element_Import
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 4;
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 4;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 4;
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 4;
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 4;
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 4;
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 4;
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 4;
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 4;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 4;
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 4;
when others =>
raise Program_Error;
end case;
end Internal_Get_Element_Import;
-------------------------------
-- Internal_Get_Element_Type --
-------------------------------
function Internal_Get_Element_Type
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (17).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (17).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (17).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (17).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (17).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Element_Type;
----------------------------------
-- Internal_Get_Else_Expression --
----------------------------------
function Internal_Get_Else_Expression
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_If_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (10).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Else_Expression;
--------------------------
-- Internal_Get_Feature --
--------------------------
function Internal_Get_Feature
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 15;
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 15;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 15;
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 15;
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 15;
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 15;
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 15;
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 15;
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 15;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 15;
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 15;
when others =>
raise Program_Error;
end case;
end Internal_Get_Feature;
------------------------
-- Internal_Get_First --
------------------------
function Internal_Get_First
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Range =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_First;
--------------------------
-- Internal_Get_General --
--------------------------
function Internal_Get_General
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 16;
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 16;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 16;
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 16;
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 16;
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 16;
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 16;
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 16;
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 16;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 16;
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 16;
when others =>
raise Program_Error;
end case;
end Internal_Get_General;
---------------------------------
-- Internal_Get_Generalization --
---------------------------------
function Internal_Get_Generalization
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 17;
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 17;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 17;
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 17;
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 17;
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 17;
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 17;
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 17;
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 17;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 17;
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 17;
when others =>
raise Program_Error;
end case;
end Internal_Get_Generalization;
---------------------------------
-- Internal_Get_Generated_Type --
---------------------------------
function Internal_Get_Generated_Type
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Expression_In_Ocl =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (17).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Generated_Type;
----------------------------------
-- Internal_Get_Imported_Member --
----------------------------------
function Internal_Get_Imported_Member
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 5;
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 5;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 5;
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 5;
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 5;
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 5;
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 5;
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 5;
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 5;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 5;
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 5;
when others =>
raise Program_Error;
end case;
end Internal_Get_Imported_Member;
---------------------
-- Internal_Get_In --
---------------------
function Internal_Get_In
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Let_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_In;
-----------------------------------
-- Internal_Get_Inherited_Member --
-----------------------------------
function Internal_Get_Inherited_Member
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 18;
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 18;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 18;
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 18;
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 18;
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 18;
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 18;
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 18;
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 18;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 18;
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 18;
when others =>
raise Program_Error;
end case;
end Internal_Get_Inherited_Member;
----------------------------------
-- Internal_Get_Init_Expression --
----------------------------------
function Internal_Get_Init_Expression
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Variable =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Init_Expression;
---------------------------------
-- Internal_Get_Integer_Symbol --
---------------------------------
function Internal_Get_Integer_Symbol
(Self : AMF.Internals.AMF_Element)
return Integer is
begin
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Integer_Value;
end Internal_Get_Integer_Symbol;
------------------------------
-- Internal_Get_Is_Abstract --
------------------------------
function Internal_Get_Is_Abstract
(Self : AMF.Internals.AMF_Element)
return Boolean is
begin
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (12).Boolean_Value;
end Internal_Get_Is_Abstract;
------------------------------------------
-- Internal_Get_Is_Final_Specialization --
------------------------------------------
function Internal_Get_Is_Final_Specialization
(Self : AMF.Internals.AMF_Element)
return Boolean is
begin
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (13).Boolean_Value;
end Internal_Get_Is_Final_Specialization;
--------------------------
-- Internal_Get_Is_Leaf --
--------------------------
function Internal_Get_Is_Leaf
(Self : AMF.Internals.AMF_Element)
return Boolean is
begin
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (11).Boolean_Value;
end Internal_Get_Is_Leaf;
-----------------------
-- Internal_Get_Item --
-----------------------
function Internal_Get_Item
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Item =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Item;
---------------------------
-- Internal_Get_Iterator --
---------------------------
function Internal_Get_Iterator
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Iterate_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 4;
when AMF.Internals.Tables.OCL_Types.E_OCL_Iterator_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 4;
when others =>
raise Program_Error;
end case;
end Internal_Get_Iterator;
-----------------------
-- Internal_Get_Kind --
-----------------------
function Internal_Get_Kind
(Self : AMF.Internals.AMF_Element)
return AMF.OCL.OCL_Collection_Kind is
begin
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Collection_Kind_Value;
end Internal_Get_Kind;
---------------------------
-- Internal_Get_Language --
---------------------------
function Internal_Get_Language
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_String is
begin
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (12).String_Collection;
end Internal_Get_Language;
-----------------------
-- Internal_Get_Last --
-----------------------
function Internal_Get_Last
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Range =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (9).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Last;
-------------------------
-- Internal_Get_Member --
-------------------------
function Internal_Get_Member
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 6;
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 6;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 6;
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 6;
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 6;
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 6;
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 6;
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 6;
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 6;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 6;
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 6;
when others =>
raise Program_Error;
end case;
end Internal_Get_Member;
-----------------------
-- Internal_Get_Name --
-----------------------
function Internal_Get_Name
(Self : AMF.Internals.AMF_Element)
return Matreshka.Internals.Strings.Shared_String_Access is
begin
return
AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (2).String_Value;
end Internal_Get_Name;
----------------------------------
-- Internal_Get_Name_Expression --
----------------------------------
function Internal_Get_Name_Expression
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Association_Class_Call_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Boolean_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Item =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Range =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Enum_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Expression_In_Ocl =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_If_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Integer_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Iterate_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Iterator_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Let_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Null_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Operation_Call_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Property_Call_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Real_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_State_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_String_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Literal_Part =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Type_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Unlimited_Natural_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Unspecified_Value_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Variable =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Variable_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (3).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Name_Expression;
----------------------------
-- Internal_Get_Namespace --
----------------------------
function Internal_Get_Namespace
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Association_Class_Call_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Boolean_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Item =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Range =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Enum_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Expression_In_Ocl =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_If_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Integer_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Iterate_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Iterator_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Let_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Null_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Operation_Call_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Property_Call_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Real_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_State_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_String_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Literal_Part =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Type_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Unlimited_Natural_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Unspecified_Value_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Variable =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Variable_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (4).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Namespace;
------------------------------------
-- Internal_Get_Navigation_Source --
------------------------------------
function Internal_Get_Navigation_Source
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Association_Class_Call_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (9).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Property_Call_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (9).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Navigation_Source;
----------------------------------
-- Internal_Get_Owned_Attribute --
----------------------------------
function Internal_Get_Owned_Attribute
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 24;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 24;
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 24;
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 24;
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 24;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 24;
when others =>
raise Program_Error;
end case;
end Internal_Get_Owned_Attribute;
--------------------------------
-- Internal_Get_Owned_Comment --
--------------------------------
function Internal_Get_Owned_Comment
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Association_Class_Call_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Boolean_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Item =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Range =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Enum_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Expression_In_Ocl =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_If_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Integer_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Iterate_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Iterator_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Let_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Null_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Operation_Call_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Property_Call_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Real_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_State_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_String_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Literal_Part =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Type_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Unlimited_Natural_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Unspecified_Value_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Variable =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Variable_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 1;
when others =>
raise Program_Error;
end case;
end Internal_Get_Owned_Comment;
--------------------------------
-- Internal_Get_Owned_Element --
--------------------------------
function Internal_Get_Owned_Element
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Association_Class_Call_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Boolean_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Item =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Range =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Enum_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Expression_In_Ocl =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_If_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Integer_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Iterate_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Iterator_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Let_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Null_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Operation_Call_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Property_Call_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Real_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_State_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_String_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Literal_Part =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Type_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Unlimited_Natural_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Unspecified_Value_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Variable =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Variable_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 2;
when others =>
raise Program_Error;
end case;
end Internal_Get_Owned_Element;
-------------------------------
-- Internal_Get_Owned_Member --
-------------------------------
function Internal_Get_Owned_Member
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 7;
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 7;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 7;
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 7;
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 7;
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 7;
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 7;
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 7;
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 7;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 7;
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 7;
when others =>
raise Program_Error;
end case;
end Internal_Get_Owned_Member;
----------------------------------
-- Internal_Get_Owned_Operation --
----------------------------------
function Internal_Get_Owned_Operation
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 25;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 25;
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 25;
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 25;
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 25;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 25;
when others =>
raise Program_Error;
end case;
end Internal_Get_Owned_Operation;
-----------------------------
-- Internal_Get_Owned_Rule --
-----------------------------
function Internal_Get_Owned_Rule
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 8;
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 8;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 8;
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 8;
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 8;
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 8;
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 8;
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 8;
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 8;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 8;
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 8;
when others =>
raise Program_Error;
end case;
end Internal_Get_Owned_Rule;
-------------------------------------------
-- Internal_Get_Owned_Template_Signature --
-------------------------------------------
function Internal_Get_Owned_Template_Signature
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (14).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (14).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (14).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (14).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (14).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (14).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (14).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (14).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (14).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (14).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (14).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Owned_Template_Signature;
---------------------------------
-- Internal_Get_Owned_Use_Case --
---------------------------------
function Internal_Get_Owned_Use_Case
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 19;
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 19;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 19;
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 19;
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 19;
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 19;
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 19;
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 19;
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 19;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 19;
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 19;
when others =>
raise Program_Error;
end case;
end Internal_Get_Owned_Use_Case;
------------------------
-- Internal_Get_Owner --
------------------------
function Internal_Get_Owner
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Association_Class_Call_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Boolean_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Item =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Range =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Enum_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Expression_In_Ocl =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_If_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Integer_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Iterate_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Iterator_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Let_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Null_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Operation_Call_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Property_Call_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Real_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_State_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_String_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Literal_Part =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Type_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Unlimited_Natural_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Unspecified_Value_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Variable =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Variable_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (1).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Owner;
--------------------------------------------
-- Internal_Get_Owning_Template_Parameter --
--------------------------------------------
function Internal_Get_Owning_Template_Parameter
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Expression_In_Ocl =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Owning_Template_Parameter;
--------------------------
-- Internal_Get_Package --
--------------------------
function Internal_Get_Package
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Package;
---------------------------------
-- Internal_Get_Package_Import --
---------------------------------
function Internal_Get_Package_Import
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 9;
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 9;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 9;
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 9;
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 9;
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 9;
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 9;
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 9;
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 9;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 9;
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 9;
when others =>
raise Program_Error;
end case;
end Internal_Get_Package_Import;
-------------------------------------
-- Internal_Get_Parameter_Variable --
-------------------------------------
function Internal_Get_Parameter_Variable
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Expression_In_Ocl =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 4;
when others =>
raise Program_Error;
end case;
end Internal_Get_Parameter_Variable;
-----------------------
-- Internal_Get_Part --
-----------------------
function Internal_Get_Part
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 4;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Literal_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 4;
when others =>
raise Program_Error;
end case;
end Internal_Get_Part;
-----------------------------------
-- Internal_Get_Powertype_Extent --
-----------------------------------
function Internal_Get_Powertype_Extent
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 20;
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 20;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 20;
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 20;
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 20;
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 20;
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 20;
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 20;
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 20;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 20;
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 20;
when others =>
raise Program_Error;
end case;
end Internal_Get_Powertype_Extent;
---------------------------------
-- Internal_Get_Qualified_Name --
---------------------------------
function Internal_Get_Qualified_Name
(Self : AMF.Internals.AMF_Element)
return Matreshka.Internals.Strings.Shared_String_Access is
begin
return
AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (5).String_Value;
end Internal_Get_Qualified_Name;
----------------------------
-- Internal_Get_Qualifier --
----------------------------
function Internal_Get_Qualifier
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Association_Class_Call_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 4;
when AMF.Internals.Tables.OCL_Types.E_OCL_Property_Call_Exp =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 4;
when others =>
raise Program_Error;
end case;
end Internal_Get_Qualifier;
------------------------------
-- Internal_Get_Real_Symbol --
------------------------------
function Internal_Get_Real_Symbol
(Self : AMF.Internals.AMF_Element)
return AMF.Real is
begin
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Real_Value;
end Internal_Get_Real_Symbol;
---------------------------------------
-- Internal_Get_Redefined_Classifier --
---------------------------------------
function Internal_Get_Redefined_Classifier
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 21;
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 21;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 21;
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 21;
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 21;
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 21;
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 21;
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 21;
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 21;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 21;
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 21;
when others =>
raise Program_Error;
end case;
end Internal_Get_Redefined_Classifier;
------------------------------------
-- Internal_Get_Redefined_Element --
------------------------------------
function Internal_Get_Redefined_Element
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 11;
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 11;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 11;
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 11;
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 11;
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 11;
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 11;
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 11;
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 11;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 11;
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 11;
when others =>
raise Program_Error;
end case;
end Internal_Get_Redefined_Element;
---------------------------------------
-- Internal_Get_Redefinition_Context --
---------------------------------------
function Internal_Get_Redefinition_Context
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 12;
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 12;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 12;
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 12;
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 12;
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 12;
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 12;
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 12;
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 12;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 12;
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 12;
when others =>
raise Program_Error;
end case;
end Internal_Get_Redefinition_Context;
---------------------------------------------
-- Internal_Get_Referred_Association_Class --
---------------------------------------------
function Internal_Get_Referred_Association_Class
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Association_Class_Call_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (10).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Referred_Association_Class;
----------------------------------------
-- Internal_Get_Referred_Enum_Literal --
----------------------------------------
function Internal_Get_Referred_Enum_Literal
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Enum_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Referred_Enum_Literal;
-------------------------------------
-- Internal_Get_Referred_Operation --
-------------------------------------
function Internal_Get_Referred_Operation
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (18).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Operation_Call_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (9).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Referred_Operation;
------------------------------------
-- Internal_Get_Referred_Property --
------------------------------------
function Internal_Get_Referred_Property
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Property_Call_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (10).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Referred_Property;
----------------------------------
-- Internal_Get_Referred_Signal --
----------------------------------
function Internal_Get_Referred_Signal
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (17).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Referred_Signal;
---------------------------------
-- Internal_Get_Referred_State --
---------------------------------
function Internal_Get_Referred_State
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_State_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Referred_State;
--------------------------------
-- Internal_Get_Referred_Type --
--------------------------------
function Internal_Get_Referred_Type
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Type_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Referred_Type;
------------------------------------
-- Internal_Get_Referred_Variable --
------------------------------------
function Internal_Get_Referred_Variable
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Variable_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Referred_Variable;
---------------------------------
-- Internal_Get_Representation --
---------------------------------
function Internal_Get_Representation
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (15).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (15).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (15).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (15).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (15).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (15).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (15).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (15).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (15).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (15).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (15).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Representation;
----------------------------------------
-- Internal_Get_Represented_Parameter --
----------------------------------------
function Internal_Get_Represented_Parameter
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Variable =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (9).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Represented_Parameter;
-------------------------
-- Internal_Get_Result --
-------------------------
function Internal_Get_Result
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Expression_In_Ocl =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (13).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Iterate_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (10).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Result;
----------------------------------
-- Internal_Get_Result_Variable --
----------------------------------
function Internal_Get_Result_Variable
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Expression_In_Ocl =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (16).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Result_Variable;
------------------------------
-- Internal_Get_Sent_Signal --
------------------------------
function Internal_Get_Sent_Signal
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (10).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Sent_Signal;
-------------------------
-- Internal_Get_Source --
-------------------------
function Internal_Get_Source
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Association_Class_Call_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Iterate_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Iterator_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Operation_Call_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Property_Call_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Source;
--------------------------------
-- Internal_Get_Specification --
--------------------------------
function Internal_Get_Specification
(Self : AMF.Internals.AMF_Element)
return Matreshka.Internals.Strings.Shared_String_Access is
begin
return
AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (17).String_Value;
end Internal_Get_Specification;
--------------------------------
-- Internal_Get_String_Symbol --
--------------------------------
function Internal_Get_String_Symbol
(Self : AMF.Internals.AMF_Element)
return Matreshka.Internals.Strings.Shared_String_Access is
begin
return
AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).String_Value;
end Internal_Get_String_Symbol;
-------------------------------
-- Internal_Get_Substitution --
-------------------------------
function Internal_Get_Substitution
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 22;
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 22;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 22;
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 22;
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 22;
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 22;
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 22;
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 22;
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 22;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 22;
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 22;
when others =>
raise Program_Error;
end case;
end Internal_Get_Substitution;
-------------------------
-- Internal_Get_Target --
-------------------------
function Internal_Get_Target
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Target;
-----------------------------------
-- Internal_Get_Template_Binding --
-----------------------------------
function Internal_Get_Template_Binding
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 10;
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 10;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 10;
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 10;
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 10;
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 10;
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 10;
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 10;
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 10;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 10;
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 10;
when others =>
raise Program_Error;
end case;
end Internal_Get_Template_Binding;
-------------------------------------
-- Internal_Get_Template_Parameter --
-------------------------------------
function Internal_Get_Template_Parameter
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (16).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (16).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (16).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Expression_In_Ocl =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (9).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (16).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (16).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (16).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (16).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (16).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (16).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (16).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (16).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Template_Parameter;
----------------------------------
-- Internal_Get_Then_Expression --
----------------------------------
function Internal_Get_Then_Expression
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_If_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (9).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Then_Expression;
-----------------------
-- Internal_Get_Type --
-----------------------
function Internal_Get_Type
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Association_Class_Call_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Boolean_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Item =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Range =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Enum_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Expression_In_Ocl =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_If_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Integer_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Iterate_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Iterator_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Let_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Null_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Operation_Call_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Property_Call_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Real_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_State_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_String_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Literal_Part =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Type_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Unlimited_Natural_Literal_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Unspecified_Value_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Variable =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Variable_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (7).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Type;
-------------------------------------------
-- Internal_Get_Unlimited_Natural_Symbol --
-------------------------------------------
function Internal_Get_Unlimited_Natural_Symbol
(Self : AMF.Internals.AMF_Element)
return AMF.Unlimited_Natural is
begin
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Unlimited_Natural_Value;
end Internal_Get_Unlimited_Natural_Symbol;
---------------------------
-- Internal_Get_Use_Case --
---------------------------
function Internal_Get_Use_Case
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Collection_Of_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 23;
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 23;
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 23;
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 23;
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 23;
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 23;
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 23;
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 23;
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 23;
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 23;
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (0).Collection + 23;
when others =>
raise Program_Error;
end case;
end Internal_Get_Use_Case;
---------------------------
-- Internal_Get_Variable --
---------------------------
function Internal_Get_Variable
(Self : AMF.Internals.AMF_Element)
return AMF.Internals.AMF_Element is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Let_Exp =>
return
AMF.Internals.Links.Opposite_Element
(AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (9).Link, Self);
when others =>
raise Program_Error;
end case;
end Internal_Get_Variable;
-----------------------------
-- Internal_Get_Visibility --
-----------------------------
function Internal_Get_Visibility
(Self : AMF.Internals.AMF_Element)
return AMF.UML.Optional_UML_Visibility_Kind is
begin
return AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (6).Visibility_Kind_Holder;
end Internal_Get_Visibility;
----------------------------
-- Internal_Set_Attribute --
----------------------------
procedure Internal_Set_Attribute
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Literal_Part =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Tuple_Literal_Part_Attribute_Part2,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Attribute;
---------------------------
-- Internal_Set_Behavior --
---------------------------
procedure Internal_Set_Behavior
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Expression_In_Ocl =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Opaque_Expression_Behavior_Opaque_Expression,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Behavior;
-----------------------
-- Internal_Set_Body --
-----------------------
procedure Internal_Set_Body
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Iterate_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Loop_Exp_Body_Loop_Body_Owner,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Iterator_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Loop_Exp_Body_Loop_Body_Owner,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Body;
----------------------------------
-- Internal_Set_Body_Expression --
----------------------------------
procedure Internal_Set_Body_Expression
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Expression_In_Ocl =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Expression_In_Ocl_Body_Expression_Top_Expression,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Body_Expression;
---------------------------------
-- Internal_Set_Boolean_Symbol --
---------------------------------
procedure Internal_Set_Boolean_Symbol
(Self : AMF.Internals.AMF_Element;
To : Boolean)
is
Old : Boolean;
begin
Old := AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Boolean_Value;
AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Boolean_Value := To;
AMF.Internals.Tables.Primitive_Types_Notification.Notify_Attribute_Set
(Self, AMF.Internals.Tables.OCL_Metamodel.MP_OCL_Boolean_Literal_Exp_Boolean_Symbol, Old, To);
end Internal_Set_Boolean_Symbol;
-----------------------------------
-- Internal_Set_Called_Operation --
-----------------------------------
procedure Internal_Set_Called_Operation
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Message_Exp_Called_Operation_Exp6,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Called_Operation;
----------------------------
-- Internal_Set_Condition --
----------------------------
procedure Internal_Set_Condition
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_If_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_If_Exp_Condition_If_Owner,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Condition;
-----------------------------------
-- Internal_Set_Context_Variable --
-----------------------------------
procedure Internal_Set_Context_Variable
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Expression_In_Ocl =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Expression_In_Ocl_Context_Variable_Self_Owner,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Context_Variable;
-------------------------------
-- Internal_Set_Element_Type --
-------------------------------
procedure Internal_Set_Element_Type
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Collection_Type_Element_Type_Type1,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Collection_Type_Element_Type_Type1,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Collection_Type_Element_Type_Type1,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Collection_Type_Element_Type_Type1,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Collection_Type_Element_Type_Type1,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Element_Type;
----------------------------------
-- Internal_Set_Else_Expression --
----------------------------------
procedure Internal_Set_Else_Expression
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_If_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_If_Exp_Else_Expression_Else_Owner,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Else_Expression;
------------------------
-- Internal_Set_First --
------------------------
procedure Internal_Set_First
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Range =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Collection_Range_First_First_Owner,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_First;
---------------------------------
-- Internal_Set_Generated_Type --
---------------------------------
procedure Internal_Set_Generated_Type
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Expression_In_Ocl =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Expression_In_Ocl_Generated_Type_Owning_Classifier,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Generated_Type;
---------------------
-- Internal_Set_In --
---------------------
procedure Internal_Set_In
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Let_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Let_Exp_In_Exp4,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_In;
----------------------------------
-- Internal_Set_Init_Expression --
----------------------------------
procedure Internal_Set_Init_Expression
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Variable =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Variable_Init_Expression_Initialized_Element,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Init_Expression;
---------------------------------
-- Internal_Set_Integer_Symbol --
---------------------------------
procedure Internal_Set_Integer_Symbol
(Self : AMF.Internals.AMF_Element;
To : Integer)
is
Old : Integer;
begin
Old := AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Integer_Value;
AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Integer_Value := To;
AMF.Internals.Tables.Primitive_Types_Notification.Notify_Attribute_Set
(Self, AMF.Internals.Tables.OCL_Metamodel.MP_OCL_Integer_Literal_Exp_Integer_Symbol, Old, To);
end Internal_Set_Integer_Symbol;
------------------------------
-- Internal_Set_Is_Abstract --
------------------------------
procedure Internal_Set_Is_Abstract
(Self : AMF.Internals.AMF_Element;
To : Boolean)
is
Old : Boolean;
begin
Old := AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (12).Boolean_Value;
AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (12).Boolean_Value := To;
AMF.Internals.Tables.Primitive_Types_Notification.Notify_Attribute_Set
(Self, AMF.Internals.Tables.UML_Metamodel.MP_UML_Classifier_Is_Abstract, Old, To);
end Internal_Set_Is_Abstract;
------------------------------------------
-- Internal_Set_Is_Final_Specialization --
------------------------------------------
procedure Internal_Set_Is_Final_Specialization
(Self : AMF.Internals.AMF_Element;
To : Boolean)
is
Old : Boolean;
begin
Old := AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (13).Boolean_Value;
AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (13).Boolean_Value := To;
AMF.Internals.Tables.Primitive_Types_Notification.Notify_Attribute_Set
(Self, AMF.Internals.Tables.UML_Metamodel.MP_UML_Classifier_Is_Final_Specialization, Old, To);
end Internal_Set_Is_Final_Specialization;
--------------------------
-- Internal_Set_Is_Leaf --
--------------------------
procedure Internal_Set_Is_Leaf
(Self : AMF.Internals.AMF_Element;
To : Boolean)
is
Old : Boolean;
begin
Old := AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (11).Boolean_Value;
AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (11).Boolean_Value := To;
AMF.Internals.Tables.Primitive_Types_Notification.Notify_Attribute_Set
(Self, AMF.Internals.Tables.UML_Metamodel.MP_UML_Redefinable_Element_Is_Leaf, Old, To);
end Internal_Set_Is_Leaf;
-----------------------
-- Internal_Set_Item --
-----------------------
procedure Internal_Set_Item
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Item =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Collection_Item_Item_Item1,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Item;
-----------------------
-- Internal_Set_Kind --
-----------------------
procedure Internal_Set_Kind
(Self : AMF.Internals.AMF_Element;
To : AMF.OCL.OCL_Collection_Kind)
is
Old : AMF.OCL.OCL_Collection_Kind;
begin
Old := AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Collection_Kind_Value;
AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Collection_Kind_Value := To;
AMF.Internals.Tables.OCL_Notification.Notify_Attribute_Set
(Self, AMF.Internals.Tables.OCL_Metamodel.MP_OCL_Collection_Literal_Exp_Kind, Old, To);
end Internal_Set_Kind;
-----------------------
-- Internal_Set_Last --
-----------------------
procedure Internal_Set_Last
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Range =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Collection_Range_Last_Last_Owner,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Last;
-----------------------
-- Internal_Set_Name --
-----------------------
procedure Internal_Set_Name
(Self : AMF.Internals.AMF_Element;
To : Matreshka.Internals.Strings.Shared_String_Access)
is
Old : Matreshka.Internals.Strings.Shared_String_Access;
begin
Old := AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (2).String_Value;
OCL_Element_Table.Table (Self).Member (2).String_Value := To;
if OCL_Element_Table.Table (Self).Member (2).String_Value /= null then
Matreshka.Internals.Strings.Reference
(OCL_Element_Table.Table (Self).Member (2).String_Value);
end if;
AMF.Internals.Tables.Primitive_Types_Notification.Notify_Attribute_Set
(Self, AMF.Internals.Tables.UML_Metamodel.MP_UML_Named_Element_Name, Old, To);
if Old /= null then
Matreshka.Internals.Strings.Reference (Old);
end if;
end Internal_Set_Name;
----------------------------------
-- Internal_Set_Name_Expression --
----------------------------------
procedure Internal_Set_Name_Expression
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Association_Class_Call_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Boolean_Literal_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Item =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Literal_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Range =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Enum_Literal_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Expression_In_Ocl =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_If_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Integer_Literal_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Literal_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Iterate_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Iterator_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Let_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Null_Literal_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Operation_Call_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Property_Call_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Real_Literal_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_State_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_String_Literal_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Literal_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Literal_Part =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Type_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Unlimited_Natural_Literal_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Unspecified_Value_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Variable =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Variable_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Named_Element_Name_Expression_Named_Element,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Name_Expression;
------------------------------------
-- Internal_Set_Navigation_Source --
------------------------------------
procedure Internal_Set_Navigation_Source
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Association_Class_Call_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Navigation_Call_Exp_Navigation_Source_Exp9,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Property_Call_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Navigation_Call_Exp_Navigation_Source_Exp9,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Navigation_Source;
-------------------------------------------
-- Internal_Set_Owned_Template_Signature --
-------------------------------------------
procedure Internal_Set_Owned_Template_Signature
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Owned_Template_Signature_Classifier,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Owned_Template_Signature_Classifier,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Owned_Template_Signature_Classifier,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Owned_Template_Signature_Classifier,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Owned_Template_Signature_Classifier,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Owned_Template_Signature_Classifier,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Owned_Template_Signature_Classifier,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Owned_Template_Signature_Classifier,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Owned_Template_Signature_Classifier,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Owned_Template_Signature_Classifier,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Owned_Template_Signature_Classifier,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Owned_Template_Signature;
--------------------------------------------
-- Internal_Set_Owning_Template_Parameter --
--------------------------------------------
procedure Internal_Set_Owning_Template_Parameter
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Template_Parameter_Owned_Parametered_Element_Owning_Template_Parameter,
To,
Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Template_Parameter_Owned_Parametered_Element_Owning_Template_Parameter,
To,
Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Template_Parameter_Owned_Parametered_Element_Owning_Template_Parameter,
To,
Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Expression_In_Ocl =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Template_Parameter_Owned_Parametered_Element_Owning_Template_Parameter,
To,
Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Template_Parameter_Owned_Parametered_Element_Owning_Template_Parameter,
To,
Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Template_Parameter_Owned_Parametered_Element_Owning_Template_Parameter,
To,
Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Template_Parameter_Owned_Parametered_Element_Owning_Template_Parameter,
To,
Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Template_Parameter_Owned_Parametered_Element_Owning_Template_Parameter,
To,
Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Template_Parameter_Owned_Parametered_Element_Owning_Template_Parameter,
To,
Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Template_Parameter_Owned_Parametered_Element_Owning_Template_Parameter,
To,
Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Template_Parameter_Owned_Parametered_Element_Owning_Template_Parameter,
To,
Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Template_Parameter_Owned_Parametered_Element_Owning_Template_Parameter,
To,
Self);
when others =>
raise Program_Error;
end case;
end Internal_Set_Owning_Template_Parameter;
--------------------------
-- Internal_Set_Package --
--------------------------
procedure Internal_Set_Package
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Package_Owned_Type_Package,
To,
Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Package_Owned_Type_Package,
To,
Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Package_Owned_Type_Package,
To,
Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Package_Owned_Type_Package,
To,
Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Package_Owned_Type_Package,
To,
Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Package_Owned_Type_Package,
To,
Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Package_Owned_Type_Package,
To,
Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Package_Owned_Type_Package,
To,
Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Package_Owned_Type_Package,
To,
Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Package_Owned_Type_Package,
To,
Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Package_Owned_Type_Package,
To,
Self);
when others =>
raise Program_Error;
end case;
end Internal_Set_Package;
------------------------------
-- Internal_Set_Real_Symbol --
------------------------------
procedure Internal_Set_Real_Symbol
(Self : AMF.Internals.AMF_Element;
To : AMF.Real)
is
Old : AMF.Real;
begin
Old := AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Real_Value;
AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Real_Value := To;
AMF.Internals.Tables.Primitive_Types_Notification.Notify_Attribute_Set
(Self, AMF.Internals.Tables.OCL_Metamodel.MP_OCL_Real_Literal_Exp_Real_Symbol, Old, To);
end Internal_Set_Real_Symbol;
---------------------------------------------
-- Internal_Set_Referred_Association_Class --
---------------------------------------------
procedure Internal_Set_Referred_Association_Class
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Association_Class_Call_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Association_Class_Call_Exp_Referred_Association_Class_Referring_Exp,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Referred_Association_Class;
----------------------------------------
-- Internal_Set_Referred_Enum_Literal --
----------------------------------------
procedure Internal_Set_Referred_Enum_Literal
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Enum_Literal_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Enum_Literal_Exp_Referred_Enum_Literal_Literal_Exp,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Referred_Enum_Literal;
-------------------------------------
-- Internal_Set_Referred_Operation --
-------------------------------------
procedure Internal_Set_Referred_Operation
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Message_Type_Referred_Operation_Type2,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Operation_Call_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Operation_Call_Exp_Referred_Operation_Refering_Exp,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Referred_Operation;
------------------------------------
-- Internal_Set_Referred_Property --
------------------------------------
procedure Internal_Set_Referred_Property
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Property_Call_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Property_Call_Exp_Referred_Property_Refering_Exp,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Referred_Property;
----------------------------------
-- Internal_Set_Referred_Signal --
----------------------------------
procedure Internal_Set_Referred_Signal
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Message_Type_Referred_Signal_Type3,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Referred_Signal;
---------------------------------
-- Internal_Set_Referred_State --
---------------------------------
procedure Internal_Set_Referred_State
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_State_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_State_Exp_Referred_State_Exp9,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Referred_State;
--------------------------------
-- Internal_Set_Referred_Type --
--------------------------------
procedure Internal_Set_Referred_Type
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Type_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Type_Exp_Referred_Type_Exp11,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Referred_Type;
------------------------------------
-- Internal_Set_Referred_Variable --
------------------------------------
procedure Internal_Set_Referred_Variable
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Variable_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Variable_Exp_Referred_Variable_Refering_Exp,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Referred_Variable;
---------------------------------
-- Internal_Set_Representation --
---------------------------------
procedure Internal_Set_Representation
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Representation_Classifier,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Representation_Classifier,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Representation_Classifier,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Representation_Classifier,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Representation_Classifier,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Representation_Classifier,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Representation_Classifier,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Representation_Classifier,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Representation_Classifier,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Representation_Classifier,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Representation_Classifier,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Representation;
----------------------------------------
-- Internal_Set_Represented_Parameter --
----------------------------------------
procedure Internal_Set_Represented_Parameter
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Variable =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Variable_Represented_Parameter_Variable,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Represented_Parameter;
----------------------------------
-- Internal_Set_Result_Variable --
----------------------------------
procedure Internal_Set_Result_Variable
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Expression_In_Ocl =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Expression_In_Ocl_Result_Variable_Result_Owner,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Result_Variable;
------------------------------
-- Internal_Set_Sent_Signal --
------------------------------
procedure Internal_Set_Sent_Signal
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Message_Exp_Sent_Signal_Exp7,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Sent_Signal;
-------------------------
-- Internal_Set_Source --
-------------------------
procedure Internal_Set_Source
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Association_Class_Call_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Call_Exp_Source_Applied_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Iterate_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Call_Exp_Source_Applied_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Iterator_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Call_Exp_Source_Applied_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Operation_Call_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Call_Exp_Source_Applied_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Property_Call_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Call_Exp_Source_Applied_Element,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Source;
--------------------------------
-- Internal_Set_Specification --
--------------------------------
procedure Internal_Set_Specification
(Self : AMF.Internals.AMF_Element;
To : Matreshka.Internals.Strings.Shared_String_Access)
is
Old : Matreshka.Internals.Strings.Shared_String_Access;
begin
Old := AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (17).String_Value;
OCL_Element_Table.Table (Self).Member (17).String_Value := To;
if OCL_Element_Table.Table (Self).Member (17).String_Value /= null then
Matreshka.Internals.Strings.Reference
(OCL_Element_Table.Table (Self).Member (17).String_Value);
end if;
AMF.Internals.Tables.Primitive_Types_Notification.Notify_Attribute_Set
(Self, AMF.Internals.Tables.OCL_Metamodel.MP_OCL_Template_Parameter_Type_Specification, Old, To);
if Old /= null then
Matreshka.Internals.Strings.Reference (Old);
end if;
end Internal_Set_Specification;
--------------------------------
-- Internal_Set_String_Symbol --
--------------------------------
procedure Internal_Set_String_Symbol
(Self : AMF.Internals.AMF_Element;
To : Matreshka.Internals.Strings.Shared_String_Access)
is
Old : Matreshka.Internals.Strings.Shared_String_Access;
begin
Old :=
AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).String_Value;
OCL_Element_Table.Table (Self).Member (8).String_Value := To;
Matreshka.Internals.Strings.Reference
(OCL_Element_Table.Table (Self).Member (8).String_Value);
AMF.Internals.Tables.Primitive_Types_Notification.Notify_Attribute_Set
(Self, AMF.Internals.Tables.OCL_Metamodel.MP_OCL_String_Literal_Exp_String_Symbol, Old, To);
Matreshka.Internals.Strings.Dereference (Old);
end Internal_Set_String_Symbol;
-------------------------
-- Internal_Set_Target --
-------------------------
procedure Internal_Set_Target
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Message_Exp_Target_Exp8,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Target;
-------------------------------------
-- Internal_Set_Template_Parameter --
-------------------------------------
procedure Internal_Set_Template_Parameter
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Any_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Template_Parameter_Parametered_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Bag_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Template_Parameter_Parametered_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Template_Parameter_Parametered_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Expression_In_Ocl =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Template_Parameter_Parametered_Element_Template_Parameter,
To,
Self);
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Template_Parameter_Parametered_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Template_Parameter_Parametered_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Ordered_Set_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Template_Parameter_Parametered_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Sequence_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Template_Parameter_Parametered_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Set_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Template_Parameter_Parametered_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Template_Parameter_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Template_Parameter_Parametered_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Template_Parameter_Parametered_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Void_Type =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Classifier_Template_Parameter_Parametered_Element,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Template_Parameter;
----------------------------------
-- Internal_Set_Then_Expression --
----------------------------------
procedure Internal_Set_Then_Expression
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_If_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_If_Exp_Then_Expression_Then_Owner,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Then_Expression;
-----------------------
-- Internal_Set_Type --
-----------------------
procedure Internal_Set_Type
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Association_Class_Call_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Typed_Element_Type_Typed_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Boolean_Literal_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Typed_Element_Type_Typed_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Item =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Typed_Element_Type_Typed_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Literal_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Typed_Element_Type_Typed_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Collection_Range =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Typed_Element_Type_Typed_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Enum_Literal_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Typed_Element_Type_Typed_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Expression_In_Ocl =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Typed_Element_Type_Typed_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_If_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Typed_Element_Type_Typed_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Integer_Literal_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Typed_Element_Type_Typed_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Invalid_Literal_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Typed_Element_Type_Typed_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Iterate_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Typed_Element_Type_Typed_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Iterator_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Typed_Element_Type_Typed_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Let_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Typed_Element_Type_Typed_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Message_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Typed_Element_Type_Typed_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Null_Literal_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Typed_Element_Type_Typed_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Operation_Call_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Typed_Element_Type_Typed_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Property_Call_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Typed_Element_Type_Typed_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Real_Literal_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Typed_Element_Type_Typed_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_State_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Typed_Element_Type_Typed_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_String_Literal_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Typed_Element_Type_Typed_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Literal_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Typed_Element_Type_Typed_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Tuple_Literal_Part =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Typed_Element_Type_Typed_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Type_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Typed_Element_Type_Typed_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Unlimited_Natural_Literal_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Typed_Element_Type_Typed_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Unspecified_Value_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Typed_Element_Type_Typed_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Variable =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Typed_Element_Type_Typed_Element,
Self,
To);
when AMF.Internals.Tables.OCL_Types.E_OCL_Variable_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.UML_Metamodel.MA_UML_Typed_Element_Type_Typed_Element,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Type;
-------------------------------------------
-- Internal_Set_Unlimited_Natural_Symbol --
-------------------------------------------
procedure Internal_Set_Unlimited_Natural_Symbol
(Self : AMF.Internals.AMF_Element;
To : AMF.Unlimited_Natural)
is
Old : AMF.Unlimited_Natural;
begin
Old := AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Unlimited_Natural_Value;
AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (8).Unlimited_Natural_Value := To;
AMF.Internals.Tables.Primitive_Types_Notification.Notify_Attribute_Set
(Self, AMF.Internals.Tables.OCL_Metamodel.MP_OCL_Unlimited_Natural_Literal_Exp_Unlimited_Natural_Symbol, Old, To);
end Internal_Set_Unlimited_Natural_Symbol;
---------------------------
-- Internal_Set_Variable --
---------------------------
procedure Internal_Set_Variable
(Self : AMF.Internals.AMF_Element;
To : AMF.Internals.AMF_Element) is
begin
case AMF.Internals.Tables.OCL_Element_Table.Table (Self).Kind is
when AMF.Internals.Tables.OCL_Types.E_OCL_Let_Exp =>
AMF.Internals.Links.Create_Link
(AMF.Internals.Tables.OCL_Metamodel.MA_OCL_Let_Exp_Variable_Exp5,
Self,
To);
when others =>
raise Program_Error;
end case;
end Internal_Set_Variable;
-----------------------------
-- Internal_Set_Visibility --
-----------------------------
procedure Internal_Set_Visibility
(Self : AMF.Internals.AMF_Element;
To : AMF.UML.Optional_UML_Visibility_Kind)
is
Old : AMF.UML.Optional_UML_Visibility_Kind;
begin
Old := AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (6).Visibility_Kind_Holder;
AMF.Internals.Tables.OCL_Element_Table.Table (Self).Member (6).Visibility_Kind_Holder := To;
AMF.Internals.Tables.UML_Notification.Notify_Attribute_Set
(Self, AMF.Internals.Tables.UML_Metamodel.MP_UML_Named_Element_Visibility, Old, To);
end Internal_Set_Visibility;
end AMF.Internals.Tables.OCL_Attributes;
|
pchapin/acrypto | Ada | 473 | ads | ---------------------------------------------------------------------------
-- FILE : assertions.ads
-- SUBJECT : Assertion support subprograms.
-- AUTHOR : (C) Copyright 2009 by Peter Chapin
--
-- Please send comments or bug reports to
--
-- Peter Chapin <[email protected]>
---------------------------------------------------------------------------
package Assertions is
procedure Assert(Condition : Boolean; Message : String);
end Assertions;
|
twdroeger/ada-awa | Ada | 18,928 | adb | -----------------------------------------------------------------------
-- awa -- Ada Web Application
-- Copyright (C) 2009, 2010, 2011, 2012, 2015, 2016, 2017, 2018 Stephane Carrez
-- Written by Stephane Carrez ([email protected])
--
-- Licensed under the Apache License, Version 2.0 (the "License");
-- you may not use this file except in compliance with the License.
-- You may obtain a copy of the License at
--
-- http://www.apache.org/licenses/LICENSE-2.0
--
-- Unless required by applicable law or agreed to in writing, software
-- distributed under the License is distributed on an "AS IS" BASIS,
-- WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-- See the License for the specific language governing permissions and
-- limitations under the License.
-----------------------------------------------------------------------
with ASF.Requests;
with ASF.Responses;
with ASF.Server;
with Ada.IO_Exceptions;
with Util.Files;
with Util.Properties;
with EL.Contexts.Default;
with AWA.Modules.Reader;
with AWA.Services.Contexts;
with AWA.Applications;
package body AWA.Modules is
package ASC renames AWA.Services.Contexts;
-- ------------------------------
-- Get the module configuration property identified by the name.
-- If the configuration property does not exist, returns the default value.
-- ------------------------------
function Get_Config (Plugin : Module_Manager;
Name : String;
Default : String := "") return String is
begin
return Plugin.Module.all.Get_Config (Name, Default);
end Get_Config;
-- ------------------------------
-- Get the module configuration property identified by the <tt>Config</tt> parameter.
-- If the property does not exist, the default configuration value is returned.
-- ------------------------------
function Get_Config (Plugin : in Module_Manager;
Config : in ASF.Applications.Config_Param) return String is
begin
return Plugin.Module.all.Get_Config (Config);
end Get_Config;
-- ------------------------------
-- Get the module name
-- ------------------------------
function Get_Name (Plugin : in Module) return String is
begin
return To_String (Plugin.Name);
end Get_Name;
-- ------------------------------
-- Get the base URI for this module
-- ------------------------------
function Get_URI (Plugin : in Module) return String is
begin
return To_String (Plugin.URI);
end Get_URI;
-- ------------------------------
-- Get the application in which this module is registered.
-- ------------------------------
function Get_Application (Plugin : in Module) return Application_Access is
begin
return Plugin.App;
end Get_Application;
-- ------------------------------
-- Get the module configuration property identified by the name.
-- If the configuration property does not exist, returns the default value.
-- ------------------------------
function Get_Config (Plugin : Module;
Name : String;
Default : String := "") return String is
begin
return Plugin.Config.Get (Name, Default);
end Get_Config;
-- ------------------------------
-- Get the module configuration property identified by the name.
-- If the configuration property does not exist, returns the default value.
-- ------------------------------
function Get_Config (Plugin : in Module;
Name : in String;
Default : in Integer := -1) return Integer is
Value : constant String := Plugin.Config.Get (Name, Integer'Image (Default));
begin
return Integer'Value (Value);
exception
when Constraint_Error =>
return Default;
end Get_Config;
-- ------------------------------
-- Get the module configuration property identified by the name.
-- If the configuration property does not exist, returns the default value.
-- ------------------------------
function Get_Config (Plugin : in Module;
Name : in String;
Default : in Boolean := False) return Boolean is
Value : constant String := Plugin.Config.Get (Name, Boolean'Image (Default));
begin
if Value in "yes" | "true" | "1" then
return True;
else
return False;
end if;
exception
when Constraint_Error =>
return Default;
end Get_Config;
-- ------------------------------
-- Get the module configuration property identified by the <tt>Config</tt> parameter.
-- If the property does not exist, the default configuration value is returned.
-- ------------------------------
function Get_Config (Plugin : in Module;
Config : in ASF.Applications.Config_Param) return String is
begin
return Plugin.Config.Get (Config);
end Get_Config;
-- ------------------------------
-- Get the module configuration property identified by the <tt>Config</tt> parameter.
-- If the property does not exist, the default configuration value is returned.
-- ------------------------------
function Get_Config (Plugin : in Module;
Name : in String;
Default : in String := "")
return EL.Expressions.Expression is
type Event_ELResolver is new EL.Contexts.Default.Default_ELResolver with null record;
overriding
function Get_Value (Resolver : Event_ELResolver;
Context : EL.Contexts.ELContext'Class;
Base : access Util.Beans.Basic.Readonly_Bean'Class;
Name : Unbounded_String) return Util.Beans.Objects.Object;
-- ------------------------------
-- Get the value associated with a base object and a given property.
-- ------------------------------
overriding
function Get_Value (Resolver : Event_ELResolver;
Context : EL.Contexts.ELContext'Class;
Base : access Util.Beans.Basic.Readonly_Bean'Class;
Name : Unbounded_String) return Util.Beans.Objects.Object is
begin
if Base /= null then
return EL.Contexts.Default.Default_ELResolver (Resolver).Get_Value (Context, Base,
Name);
else
return Util.Beans.Objects.To_Object (Plugin.Get_Config (To_String (Name), ""));
end if;
end Get_Value;
Resolver : aliased Event_ELResolver;
Context : EL.Contexts.Default.Default_Context;
Value : constant String := Plugin.Get_Config (Name, Default);
begin
Context.Set_Resolver (Resolver'Unchecked_Access);
return EL.Expressions.Reduce_Expression (EL.Expressions.Create_Expression (Value, Context),
Context);
exception
when E : others =>
Log.Error ("Invalid parameter ", E, True);
return EL.Expressions.Create_Expression ("", Context);
end Get_Config;
-- ------------------------------
-- Send the event to the module
-- ------------------------------
procedure Send_Event (Plugin : in Module;
Content : in AWA.Events.Module_Event'Class) is
begin
Plugin.App.Send_Event (Content);
end Send_Event;
-- ------------------------------
-- Find the module with the given name
-- ------------------------------
function Find_Module (Plugin : Module;
Name : String) return Module_Access is
begin
if Plugin.Registry = null then
return null;
end if;
return Find_By_Name (Plugin.Registry.all, Name);
end Find_Module;
-- ------------------------------
-- Register under the given name a function to create the bean instance when
-- it is accessed for a first time. The scope defines the scope of the bean.
-- bean
-- ------------------------------
procedure Register (Plugin : in out Module;
Name : in String;
Bind : in ASF.Beans.Class_Binding_Access) is
begin
Plugin.App.Register_Class (Name, Bind);
end Register;
-- ------------------------------
-- Finalize the module.
-- ------------------------------
overriding
procedure Finalize (Plugin : in out Module) is
begin
null;
end Finalize;
procedure Initialize (Manager : in out Module_Manager;
Module : in AWA.Modules.Module'Class) is
begin
Manager.Module := Module.Self;
end Initialize;
function Get_Value (Manager : in Module_Manager;
Name : in String) return Util.Beans.Objects.Object is
pragma Unreferenced (Manager, Name);
begin
return Util.Beans.Objects.Null_Object;
end Get_Value;
-- Module manager
--
-- ------------------------------
-- Get the database connection for reading
-- ------------------------------
function Get_Session (Manager : Module_Manager)
return ADO.Sessions.Session is
begin
return Manager.Module.Get_Session;
end Get_Session;
-- ------------------------------
-- Get the database connection for writing
-- ------------------------------
function Get_Master_Session (Manager : Module_Manager)
return ADO.Sessions.Master_Session is
begin
return Manager.Module.Get_Master_Session;
end Get_Master_Session;
-- ------------------------------
-- Send the event to the module. The module identified by <b>To</b> is
-- found and the event is posted on its event channel.
-- ------------------------------
procedure Send_Event (Manager : in Module_Manager;
Content : in AWA.Events.Module_Event'Class) is
begin
Manager.Module.Send_Event (Content);
end Send_Event;
procedure Initialize (Plugin : in out Module;
App : in Application_Access;
Props : in ASF.Applications.Config) is
pragma Unreferenced (Props);
begin
Plugin.Self := Plugin'Unchecked_Access;
Plugin.App := App;
end Initialize;
-- ------------------------------
-- Initialize the registry
-- ------------------------------
procedure Initialize (Registry : in out Module_Registry;
Config : in ASF.Applications.Config) is
begin
Registry.Config := Config;
end Initialize;
-- ------------------------------
-- Register the module in the registry.
-- ------------------------------
procedure Register (Registry : in Module_Registry_Access;
App : in Application_Access;
Plugin : in Module_Access;
Name : in String;
URI : in String) is
procedure Copy (Params : in Util.Properties.Manager'Class);
procedure Copy (Params : in Util.Properties.Manager'Class) is
begin
Plugin.Config.Copy (From => Params, Prefix => Name & ".", Strip => True);
end Copy;
Paths : constant String := Registry.Config.Get (Applications.P_Module_Dir.P);
begin
Log.Info ("Register module '{0}' under URI '{1}'", Name, URI);
if Plugin.Registry /= null then
Log.Error ("Module '{0}' is already attached to a registry", Name);
raise Program_Error with "Module '" & Name & "' already registered";
end if;
Plugin.App := App;
Plugin.Registry := Registry;
Plugin.Name := To_Unbounded_String (Name);
Plugin.URI := To_Unbounded_String (URI);
Plugin.Registry.Name_Map.Insert (Name, Plugin);
if URI /= "" then
Plugin.Registry.URI_Map.Insert (URI, Plugin);
end if;
-- Load the module configuration file
Log.Debug ("Module search path: {0}", Paths);
declare
Base : constant String := Name & ".properties";
Path : constant String := Util.Files.Find_File_Path (Base, Paths);
begin
Plugin.Config.Load_Properties (Path => Path, Prefix => Name & ".", Strip => True);
exception
when Ada.IO_Exceptions.Name_Error =>
Log.Info ("Module configuration file '{0}' does not exist", Path);
end;
Plugin.Initialize (App, Plugin.Config);
-- Read the module XML configuration file if there is one.
declare
Base : constant String := Plugin.Config.Get ("config", Name & ".xml");
Path : constant String := Util.Files.Find_File_Path (Base, Paths);
Ctx : aliased EL.Contexts.Default.Default_Context;
begin
AWA.Modules.Reader.Read_Configuration (Plugin.all, Path, Ctx'Unchecked_Access);
exception
when Ada.IO_Exceptions.Name_Error =>
Log.Warn ("Module configuration file '{0}' does not exist", Path);
end;
-- Override the module configuration with the application configuration
App.Get_Init_Parameters (Copy'Access);
Plugin.Configure (Plugin.Config);
exception
when Constraint_Error =>
Log.Error ("Another module is already registered "
& "under name '{0}' or URI '{1}'", Name, URI);
raise;
end Register;
-- ------------------------------
-- Find the module with the given name
-- ------------------------------
function Find_By_Name (Registry : Module_Registry;
Name : String) return Module_Access is
Pos : constant Module_Maps.Cursor := Module_Maps.Find (Registry.Name_Map, Name);
begin
if Module_Maps.Has_Element (Pos) then
return Module_Maps.Element (Pos);
end if;
return null;
end Find_By_Name;
-- ------------------------------
-- Find the module mapped to a given URI
-- ------------------------------
function Find_By_URI (Registry : Module_Registry;
URI : String) return Module_Access is
Pos : constant Module_Maps.Cursor := Module_Maps.Find (Registry.URI_Map, URI);
begin
if Module_Maps.Has_Element (Pos) then
return Module_Maps.Element (Pos);
end if;
return null;
end Find_By_URI;
-- ------------------------------
-- Iterate over the modules that have been registered and execute the <b>Process</b>
-- procedure on each of the module instance.
-- ------------------------------
procedure Iterate (Registry : in Module_Registry;
Process : access procedure (Plugin : in out Module'Class)) is
Iter : Module_Maps.Cursor := Registry.Name_Map.First;
begin
while Module_Maps.Has_Element (Iter) loop
Process (Module_Maps.Element (Iter).all);
Module_Maps.Next (Iter);
end loop;
end Iterate;
-- ------------------------------
-- Get the database connection for reading
-- ------------------------------
function Get_Session (Manager : Module)
return ADO.Sessions.Session is
pragma Unreferenced (Manager);
Ctx : constant ASC.Service_Context_Access := ASC.Current;
begin
return ASC.Get_Session (Ctx);
end Get_Session;
-- ------------------------------
-- Get the database connection for writing
-- ------------------------------
function Get_Master_Session (Manager : Module)
return ADO.Sessions.Master_Session is
pragma Unreferenced (Manager);
Ctx : constant ASC.Service_Context_Access := ASC.Current;
begin
return ASC.Get_Master_Session (Ctx);
end Get_Master_Session;
-- ------------------------------
-- Add a listener to the module listner list. The module will invoke the listner
-- depending on events or actions that occur in the module.
-- ------------------------------
procedure Add_Listener (Into : in out Module;
Item : in Util.Listeners.Listener_Access) is
begin
Util.Listeners.Add_Listener (Into.Listeners, Item);
end Add_Listener;
-- ------------------------------
-- Find the module with the given name in the application and add the listener to the
-- module listener list.
-- ------------------------------
procedure Add_Listener (Plugin : in Module;
Name : in String;
Item : in Util.Listeners.Listener_Access) is
M : constant Module_Access := Plugin.App.Find_Module (Name);
begin
if M = null then
Log.Error ("Cannot find module {0} to add a lifecycle listener", Name);
else
M.Add_Listener (Item);
end if;
end Add_Listener;
-- ------------------------------
-- Remove a listener from the module listener list.
-- ------------------------------
procedure Remove_Listener (Into : in out Module;
Item : in Util.Listeners.Listener_Access) is
begin
Util.Listeners.Remove_Listener (Into.Listeners, Item);
end Remove_Listener;
-- Get per request manager => look in Request
-- Get per session manager => look in Request.Get_Session
-- Get per application manager => look in Application
-- Get per pool manager => look in pool attached to Application
function Get_Manager return Manager_Type_Access is
procedure Process (Request : in out ASF.Requests.Request'Class;
Response : in out ASF.Responses.Response'Class);
Value : Util.Beans.Objects.Object;
procedure Process (Request : in out ASF.Requests.Request'Class;
Response : in out ASF.Responses.Response'Class) is
pragma Unreferenced (Response);
begin
Value := Request.Get_Attribute (Name);
if Util.Beans.Objects.Is_Null (Value) then
declare
M : constant Manager_Type_Access := new Manager_Type;
begin
Value := Util.Beans.Objects.To_Object (M.all'Unchecked_Access);
Request.Set_Attribute (Name, Value);
end;
end if;
end Process;
begin
ASF.Server.Update_Context (Process'Access);
if Util.Beans.Objects.Is_Null (Value) then
return null;
end if;
declare
B : constant access Util.Beans.Basic.Readonly_Bean'Class
:= Util.Beans.Objects.To_Bean (Value);
begin
if not (B.all in Manager_Type'Class) then
return null;
end if;
return Manager_Type'Class (B.all)'Unchecked_Access;
end;
end Get_Manager;
end AWA.Modules;
|
Fabien-Chouteau/GESTE | Ada | 12,105 | adb | ------------------------------------------------------------------------------
-- --
-- GESTE --
-- --
-- Copyright (C) 2018 Fabien Chouteau --
-- --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions are --
-- met: --
-- 1. Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- 2. Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in --
-- the documentation and/or other materials provided with the --
-- distribution. --
-- 3. Neither the name of the copyright holder nor the names of its --
-- contributors may be used to endorse or promote products derived --
-- from this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT --
-- LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, --
-- DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY --
-- THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT --
-- (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE --
-- OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
with GESTE.Maths; use GESTE.Maths;
package body GESTE.Physics is
function Collide_Rect_Rect (A, B : Object'Class) return Boolean
with Pre => A.Box.Kind = Rectangle and then B.Box.Kind = Rectangle,
Inline;
function Collide_Rect_Borders (A, B : Object'Class) return Boolean
with Pre => A.Box.Kind = Rectangle and then B.Box.Kind = Rect_Borders,
Inline;
function Collide_Rect_Circle (A, B : Object'Class) return Boolean
with Pre => A.Box.Kind = Rectangle and then B.Box.Kind = Circle,
Inline;
function Collide_Rect_Line (A, B : Object'Class) return Boolean
with Pre => A.Box.Kind = Rectangle and then B.Box.Kind = Line,
Inline;
function Collide_Borders_Borders (A, B : Object'Class) return Boolean
with Pre => A.Box.Kind = Rect_Borders and then B.Box.Kind = Rect_Borders,
Inline;
function Collide_Borders_Circle (A, B : Object'Class) return Boolean
with Pre => A.Box.Kind = Rect_Borders and then B.Box.Kind = Circle,
Inline;
function Collide_Borders_Line (A, B : Object'Class) return Boolean
with Pre => A.Box.Kind = Rect_Borders and then B.Box.Kind = Line,
Inline;
function Collide_Circle_Circle (A, B : Object'Class) return Boolean
with Pre => A.Box.Kind = Circle and then B.Box.Kind = Circle,
Inline;
function Collide_Circle_Line (A, B : Object'Class) return Boolean
with Pre => A.Box.Kind = Circle and then B.Box.Kind = Line,
Inline;
function Collide_Line_Line (A, B : Object'Class) return Boolean
with Pre => A.Box.Kind = Line and then B.Box.Kind = Line,
Inline;
-----------------
-- Set_Hit_Box --
-----------------
procedure Set_Hit_Box (This : in out Object; Box : Hit_Box_Type) is
begin
This.Box := Box;
end Set_Hit_Box;
-------------
-- Hit_Box --
-------------
function Hit_Box (This : Object) return Hit_Box_Type
is (This.Box);
-----------------------
-- Collide_Rect_Rect --
-----------------------
function Collide_Rect_Rect (A, B : Object'Class) return Boolean
is
pragma Unreferenced (B, A);
begin
return False;
end Collide_Rect_Rect;
--------------------------
-- Collide_Rect_Borders --
--------------------------
function Collide_Rect_Borders (A, B : Object'Class) return Boolean
is
pragma Unreferenced (B, A);
begin
return False;
end Collide_Rect_Borders;
-------------------------
-- Collide_Rect_Circle --
-------------------------
function Collide_Rect_Circle (A, B : Object'Class) return Boolean
is
pragma Unreferenced (B, A);
begin
return False;
end Collide_Rect_Circle;
-----------------------
-- Collide_Rect_Line --
-----------------------
function Collide_Rect_Line (A, B : Object'Class) return Boolean
is
pragma Unreferenced (B, A);
begin
return False;
end Collide_Rect_Line;
-----------------------------
-- Collide_Borders_Borders --
-----------------------------
function Collide_Borders_Borders (A, B : Object'Class) return Boolean
is
pragma Unreferenced (B, A);
begin
return False;
end Collide_Borders_Borders;
----------------------------
-- Collide_Borders_Circle --
----------------------------
function Collide_Borders_Circle (A, B : Object'Class) return Boolean
is
pragma Unreferenced (B, A);
begin
return False;
end Collide_Borders_Circle;
--------------------------
-- Collide_Borders_Line --
--------------------------
function Collide_Borders_Line (A, B : Object'Class) return Boolean
is
pragma Unreferenced (B, A);
begin
return False;
end Collide_Borders_Line;
---------------------------
-- Collide_Circle_Circle --
---------------------------
function Collide_Circle_Circle (A, B : Object'Class) return Boolean
is
pragma Unreferenced (B, A);
begin
return False;
end Collide_Circle_Circle;
-------------------------
-- Collide_Circle_Line --
-------------------------
function Collide_Circle_Line (A, B : Object'Class) return Boolean
is
pragma Unreferenced (B, A);
begin
return False;
end Collide_Circle_Line;
-----------------------
-- Collide_Line_Line --
-----------------------
function Collide_Line_Line (A, B : Object'Class) return Boolean
is
pragma Unreferenced (B, A);
begin
return False;
end Collide_Line_Line;
-------------
-- Collide --
-------------
function Collide (This : Object; Obj : Object'Class) return Boolean is
begin
case This.Box.Kind is
when None =>
return False;
when Rectangle =>
case Obj.Box.Kind is
when None =>
return False;
when Rectangle =>
return Collide_Rect_Rect (This, Obj);
when Rect_Borders =>
return Collide_Rect_Borders (This, Obj);
when Circle =>
return Collide_Rect_Circle (This, Obj);
when Line =>
return Collide_Rect_Line (This, Obj);
end case;
when Rect_Borders =>
case Obj.Box.Kind is
when None =>
return False;
when Rectangle =>
return Collide_Rect_Borders (Obj, This);
when Rect_Borders =>
return Collide_Borders_Borders (This, Obj);
when Circle =>
return Collide_Borders_Circle (This, Obj);
when Line =>
return Collide_Borders_Line (This, Obj);
end case;
when Circle =>
case Obj.Box.Kind is
when None =>
return False;
when Rectangle =>
return Collide_Rect_Circle (Obj, This);
when Rect_Borders =>
return Collide_Borders_Circle (Obj, This);
when Circle =>
return Collide_Circle_Circle (This, Obj);
when Line =>
return Collide_Circle_Line (This, Obj);
end case;
when Line =>
case Obj.Box.Kind is
when None =>
return False;
when Rectangle =>
return Collide_Rect_Line (Obj, This);
when Rect_Borders =>
return Collide_Borders_Line (Obj, This);
when Circle =>
return Collide_Circle_Line (Obj, This);
when Line =>
return Collide_Line_Line (This, Obj);
end case;
end case;
end Collide;
----------
-- Mass --
----------
function Mass (This : Object) return Value
is (This.M);
--------------
-- Set_Mass --
--------------
procedure Set_Mass (This : in out Object;
M : Value)
is
begin
This.M := M;
end Set_Mass;
--------------
-- Position --
--------------
function Position (This : Object) return GESTE.Maths_Types.Point
is (This.P);
------------------
-- Set_Position --
------------------
procedure Set_Position
(This : in out Object;
P : GESTE.Maths_Types.Point)
is
begin
This.P := P;
end Set_Position;
-----------
-- Speed --
-----------
function Speed (This : Object) return Vect
is (This.S);
---------------
-- Set_Speed --
---------------
procedure Set_Speed
(This : in out Object;
S : Vect)
is
begin
This.S := S;
end Set_Speed;
------------------
-- Acceleration --
------------------
function Acceleration (This : Object) return Vect
is (This.A);
----------------------
-- Set_Acceleration --
----------------------
procedure Set_Acceleration
(This : in out Object;
A : Vect)
is
begin
This.A := A;
end Set_Acceleration;
-----------
-- Force --
-----------
function Force (This : Object) return Vect
is (This.F);
-----------------
-- Apply_Force --
-----------------
procedure Apply_Force
(This : in out Object;
F : Vect)
is
begin
This.F.X := This.F.X + F.X;
This.F.Y := This.F.Y + F.Y;
end Apply_Force;
-------------------
-- Apply_Gravity --
-------------------
procedure Apply_Gravity (This : in out Object;
G : Value := 9.51)
is
begin
This.Apply_Force ((0.0, -G * This.Mass));
end Apply_Gravity;
-----------
-- Angle --
-----------
function Angle (This : Object) return Value
is (This.Angle);
---------------
-- Set_Angle --
---------------
procedure Set_Angle (This : in out Object;
Angle : Value)
is
begin
This.Angle := Angle;
end Set_Angle;
---------------
-- Direction --
---------------
function Direction (This : Object) return Vect is
begin
return (Sin (This.Angle), Cos (This.Angle));
end Direction;
----------
-- Step --
----------
procedure Step
(This : in out Object;
Elapsed : Value)
is
begin
This.A.X := This.F.X / This.M;
This.A.Y := This.F.Y / This.M;
This.F := No_Force;
This.S.X := This.S.X + This.A.X * Elapsed;
This.S.Y := This.S.Y + This.A.Y * Elapsed;
This.P.X := This.P.X + This.S.X * Elapsed;
This.P.Y := This.P.Y + This.S.Y * Elapsed;
end Step;
end GESTE.Physics;
|
Fabien-Chouteau/AGATE | Ada | 4,080 | adb | ------------------------------------------------------------------------------
-- --
-- Copyright (C) 2017, Fabien Chouteau --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions are --
-- met: --
-- 1. Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- 2. Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in --
-- the documentation and/or other materials provided with the --
-- distribution. --
-- 3. Neither the name of the copyright holder nor the names of its --
-- contributors may be used to endorse or promote products derived --
-- from this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT --
-- LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, --
-- DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY --
-- THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT --
-- (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE --
-- OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
with AGATE_Arch_Parameters; use AGATE_Arch_Parameters;
with AGATE.Traps; use AGATE.Traps;
with AGATE.Scheduler; use AGATE.Scheduler;
package body AGATE.Timer is
Mtime_Lo : Word with Volatile_Full_Access, Address => Mtime_Lo_Addr;
Mtime_Hi : Word with Volatile_Full_Access, Address => Mtime_Hi_Addr;
Mtimecmp_Lo : Word with Volatile_Full_Access, Address => Mtimecmp_Lo_Addr;
Mtimecmp_Hi : Word with Volatile_Full_Access, Address => Mtimecmp_Hi_Addr;
procedure Initialize;
procedure Timer_Handler;
Timer_Trap_ID : constant := -17;
----------------
-- Initialize --
----------------
procedure Initialize is
begin
Register (Timer_Handler'Access, Timer_Trap_ID, 0);
Set_Alarm (Time'Last);
end Initialize;
-------------------
-- Timer_Handler --
-------------------
procedure Timer_Handler is
begin
AGATE.Scheduler.Wakeup_Expired_Alarms;
end Timer_Handler;
-----------
-- Clock --
-----------
function Clock return Time
is
Hi, Lo : Word;
begin
Hi := Mtime_Hi;
Lo := Mtime_Lo;
if Mtime_Hi /= Hi then
return Shift_Left (Time (Hi) + 1, 32);
else
return Shift_Left (Time (Hi), 32) or Time (Lo);
end if;
end Clock;
---------------
-- Set_Alarm --
---------------
procedure Set_Alarm (Alarm_Time : Time)
is
begin
Disable (Timer_Trap_ID);
Mtimecmp_Lo := Word (Alarm_Time and 16#FFFF_FFFF#);
Mtimecmp_Hi := Word (Shift_Right (Alarm_Time, 32) and 16#FFFF_FFFF#);
if Alarm_Time /= Time'Last then
Enable (Timer_Trap_ID);
end if;
end Set_Alarm;
begin
Initialize;
end AGATE.Timer;
|
zhmu/ananas | Ada | 1,298 | ads | ------------------------------------------------------------------------------
-- --
-- GNAT RUN-TIME COMPONENTS --
-- --
-- A D A . N U M E R I C S . L O N G _ L O N G _ C O M P L E X _ T Y P E S --
-- --
-- S p e c --
-- --
-- This specification is derived from the Ada Reference Manual for use with --
-- GNAT. In accordance with the copyright of that document, you can freely --
-- copy and modify this specification, provided that if you redistribute a --
-- modified version, any changes that you have made are clearly indicated. --
-- --
------------------------------------------------------------------------------
with Ada.Numerics.Generic_Complex_Types;
package Ada.Numerics.Long_Long_Complex_Types is
new Ada.Numerics.Generic_Complex_Types (Long_Long_Float);
pragma Pure (Long_Long_Complex_Types);
|
zrmyers/VulkanAda | Ada | 862,084 | ads | with Interfaces.C; use Interfaces.C;
with stdint_h;
with System;
with crtdefs_h;
with Interfaces.C.Strings;
with Interfaces.C.Extensions;
package Vulkan.vulkan_core_h is
pragma Preelaborate;
-- unsupported macro: VULKAN_CORE_H_ 1
-- unsupported macro: VK_VERSION_1_0 1
-- unsupported macro: VK_DEFINE_HANDLE(object) typedef struct object ##_T* object;
-- unsupported macro: VK_DEFINE_NON_DISPATCHABLE_HANDLE(object) typedef struct object ##_T *object;
-- arg-macro: function VK_MAKE_VERSION ((((uint32_t)(major)) << 22) or (((uint32_t)(minor)) << 12) or ((uint32_t)(patch))
-- return (((uint32_t)(major)) << 22) or (((uint32_t)(minor)) << 12) or ((uint32_t)(patch));
-- unsupported macro: VK_API_VERSION_1_0 VK_MAKE_VERSION(1, 0, 0)
-- unsupported macro: VK_HEADER_VERSION 170
-- unsupported macro: VK_HEADER_VERSION_COMPLETE VK_MAKE_VERSION(1, 2, VK_HEADER_VERSION)
-- arg-macro: function VK_VERSION_MAJOR ((uint32_t)(version) >> 22
-- return (uint32_t)(version) >> 22;
-- arg-macro: function VK_VERSION_MINOR (((uint32_t)(version) >> 12) and 0x3ff
-- return ((uint32_t)(version) >> 12) and 0x3ff;
-- arg-macro: function VK_VERSION_PATCH ((uint32_t)(version) and 0xfff
-- return (uint32_t)(version) and 0xfff;
-- unsupported macro: VK_NULL_HANDLE 0
-- unsupported macro: VK_ATTACHMENT_UNUSED (~0U)
-- unsupported macro: VK_FALSE 0
-- unsupported macro: VK_LOD_CLAMP_NONE 1000.0f
-- unsupported macro: VK_QUEUE_FAMILY_IGNORED (~0U)
-- unsupported macro: VK_REMAINING_ARRAY_LAYERS (~0U)
-- unsupported macro: VK_REMAINING_MIP_LEVELS (~0U)
-- unsupported macro: VK_SUBPASS_EXTERNAL (~0U)
-- unsupported macro: VK_TRUE 1
-- unsupported macro: VK_WHOLE_SIZE (~0ULL)
-- unsupported macro: VK_MAX_MEMORY_TYPES 32
-- unsupported macro: VK_MAX_MEMORY_HEAPS 16
-- unsupported macro: VK_MAX_PHYSICAL_DEVICE_NAME_SIZE 256
-- unsupported macro: VK_UUID_SIZE 16
-- unsupported macro: VK_MAX_EXTENSION_NAME_SIZE 256
-- unsupported macro: VK_MAX_DESCRIPTION_SIZE 256
-- unsupported macro: VK_VERSION_1_1 1
-- unsupported macro: VK_API_VERSION_1_1 VK_MAKE_VERSION(1, 1, 0)
-- unsupported macro: VK_MAX_DEVICE_GROUP_SIZE 32
-- unsupported macro: VK_LUID_SIZE 8
-- unsupported macro: VK_QUEUE_FAMILY_EXTERNAL (~0U-1)
-- unsupported macro: VK_VERSION_1_2 1
-- unsupported macro: VK_API_VERSION_1_2 VK_MAKE_VERSION(1, 2, 0)
-- unsupported macro: VK_MAX_DRIVER_NAME_SIZE 256
-- unsupported macro: VK_MAX_DRIVER_INFO_SIZE 256
-- unsupported macro: VK_KHR_surface 1
-- unsupported macro: VK_KHR_SURFACE_SPEC_VERSION 25
-- unsupported macro: VK_KHR_SURFACE_EXTENSION_NAME "VK_KHR_surface"
-- unsupported macro: VK_KHR_swapchain 1
-- unsupported macro: VK_KHR_SWAPCHAIN_SPEC_VERSION 70
-- unsupported macro: VK_KHR_SWAPCHAIN_EXTENSION_NAME "VK_KHR_swapchain"
-- unsupported macro: VK_KHR_display 1
-- unsupported macro: VK_KHR_DISPLAY_SPEC_VERSION 23
-- unsupported macro: VK_KHR_DISPLAY_EXTENSION_NAME "VK_KHR_display"
-- unsupported macro: VK_KHR_display_swapchain 1
-- unsupported macro: VK_KHR_DISPLAY_SWAPCHAIN_SPEC_VERSION 10
-- unsupported macro: VK_KHR_DISPLAY_SWAPCHAIN_EXTENSION_NAME "VK_KHR_display_swapchain"
-- unsupported macro: VK_KHR_sampler_mirror_clamp_to_edge 1
-- unsupported macro: VK_KHR_SAMPLER_MIRROR_CLAMP_TO_EDGE_SPEC_VERSION 3
-- unsupported macro: VK_KHR_SAMPLER_MIRROR_CLAMP_TO_EDGE_EXTENSION_NAME "VK_KHR_sampler_mirror_clamp_to_edge"
-- unsupported macro: VK_KHR_multiview 1
-- unsupported macro: VK_KHR_MULTIVIEW_SPEC_VERSION 1
-- unsupported macro: VK_KHR_MULTIVIEW_EXTENSION_NAME "VK_KHR_multiview"
-- unsupported macro: VK_KHR_get_physical_device_properties2 1
-- unsupported macro: VK_KHR_GET_PHYSICAL_DEVICE_PROPERTIES_2_SPEC_VERSION 2
-- unsupported macro: VK_KHR_GET_PHYSICAL_DEVICE_PROPERTIES_2_EXTENSION_NAME "VK_KHR_get_physical_device_properties2"
-- unsupported macro: VK_KHR_device_group 1
-- unsupported macro: VK_KHR_DEVICE_GROUP_SPEC_VERSION 4
-- unsupported macro: VK_KHR_DEVICE_GROUP_EXTENSION_NAME "VK_KHR_device_group"
-- unsupported macro: VK_KHR_shader_draw_parameters 1
-- unsupported macro: VK_KHR_SHADER_DRAW_PARAMETERS_SPEC_VERSION 1
-- unsupported macro: VK_KHR_SHADER_DRAW_PARAMETERS_EXTENSION_NAME "VK_KHR_shader_draw_parameters"
-- unsupported macro: VK_KHR_maintenance1 1
-- unsupported macro: VK_KHR_MAINTENANCE1_SPEC_VERSION 2
-- unsupported macro: VK_KHR_MAINTENANCE1_EXTENSION_NAME "VK_KHR_maintenance1"
-- unsupported macro: VK_KHR_device_group_creation 1
-- unsupported macro: VK_KHR_DEVICE_GROUP_CREATION_SPEC_VERSION 1
-- unsupported macro: VK_KHR_DEVICE_GROUP_CREATION_EXTENSION_NAME "VK_KHR_device_group_creation"
-- unsupported macro: VK_MAX_DEVICE_GROUP_SIZE_KHR VK_MAX_DEVICE_GROUP_SIZE
-- unsupported macro: VK_KHR_external_memory_capabilities 1
-- unsupported macro: VK_KHR_EXTERNAL_MEMORY_CAPABILITIES_SPEC_VERSION 1
-- unsupported macro: VK_KHR_EXTERNAL_MEMORY_CAPABILITIES_EXTENSION_NAME "VK_KHR_external_memory_capabilities"
-- unsupported macro: VK_LUID_SIZE_KHR VK_LUID_SIZE
-- unsupported macro: VK_KHR_external_memory 1
-- unsupported macro: VK_KHR_EXTERNAL_MEMORY_SPEC_VERSION 1
-- unsupported macro: VK_KHR_EXTERNAL_MEMORY_EXTENSION_NAME "VK_KHR_external_memory"
-- unsupported macro: VK_QUEUE_FAMILY_EXTERNAL_KHR VK_QUEUE_FAMILY_EXTERNAL
-- unsupported macro: VK_KHR_external_memory_fd 1
-- unsupported macro: VK_KHR_EXTERNAL_MEMORY_FD_SPEC_VERSION 1
-- unsupported macro: VK_KHR_EXTERNAL_MEMORY_FD_EXTENSION_NAME "VK_KHR_external_memory_fd"
-- unsupported macro: VK_KHR_external_semaphore_capabilities 1
-- unsupported macro: VK_KHR_EXTERNAL_SEMAPHORE_CAPABILITIES_SPEC_VERSION 1
-- unsupported macro: VK_KHR_EXTERNAL_SEMAPHORE_CAPABILITIES_EXTENSION_NAME "VK_KHR_external_semaphore_capabilities"
-- unsupported macro: VK_KHR_external_semaphore 1
-- unsupported macro: VK_KHR_EXTERNAL_SEMAPHORE_SPEC_VERSION 1
-- unsupported macro: VK_KHR_EXTERNAL_SEMAPHORE_EXTENSION_NAME "VK_KHR_external_semaphore"
-- unsupported macro: VK_KHR_external_semaphore_fd 1
-- unsupported macro: VK_KHR_EXTERNAL_SEMAPHORE_FD_SPEC_VERSION 1
-- unsupported macro: VK_KHR_EXTERNAL_SEMAPHORE_FD_EXTENSION_NAME "VK_KHR_external_semaphore_fd"
-- unsupported macro: VK_KHR_push_descriptor 1
-- unsupported macro: VK_KHR_PUSH_DESCRIPTOR_SPEC_VERSION 2
-- unsupported macro: VK_KHR_PUSH_DESCRIPTOR_EXTENSION_NAME "VK_KHR_push_descriptor"
-- unsupported macro: VK_KHR_shader_float16_int8 1
-- unsupported macro: VK_KHR_SHADER_FLOAT16_INT8_SPEC_VERSION 1
-- unsupported macro: VK_KHR_SHADER_FLOAT16_INT8_EXTENSION_NAME "VK_KHR_shader_float16_int8"
-- unsupported macro: VK_KHR_16bit_storage 1
-- unsupported macro: VK_KHR_16BIT_STORAGE_SPEC_VERSION 1
-- unsupported macro: VK_KHR_16BIT_STORAGE_EXTENSION_NAME "VK_KHR_16bit_storage"
-- unsupported macro: VK_KHR_incremental_present 1
-- unsupported macro: VK_KHR_INCREMENTAL_PRESENT_SPEC_VERSION 1
-- unsupported macro: VK_KHR_INCREMENTAL_PRESENT_EXTENSION_NAME "VK_KHR_incremental_present"
-- unsupported macro: VK_KHR_descriptor_update_template 1
-- unsupported macro: VK_KHR_DESCRIPTOR_UPDATE_TEMPLATE_SPEC_VERSION 1
-- unsupported macro: VK_KHR_DESCRIPTOR_UPDATE_TEMPLATE_EXTENSION_NAME "VK_KHR_descriptor_update_template"
-- unsupported macro: VK_KHR_imageless_framebuffer 1
-- unsupported macro: VK_KHR_IMAGELESS_FRAMEBUFFER_SPEC_VERSION 1
-- unsupported macro: VK_KHR_IMAGELESS_FRAMEBUFFER_EXTENSION_NAME "VK_KHR_imageless_framebuffer"
-- unsupported macro: VK_KHR_create_renderpass2 1
-- unsupported macro: VK_KHR_CREATE_RENDERPASS_2_SPEC_VERSION 1
-- unsupported macro: VK_KHR_CREATE_RENDERPASS_2_EXTENSION_NAME "VK_KHR_create_renderpass2"
-- unsupported macro: VK_KHR_shared_presentable_image 1
-- unsupported macro: VK_KHR_SHARED_PRESENTABLE_IMAGE_SPEC_VERSION 1
-- unsupported macro: VK_KHR_SHARED_PRESENTABLE_IMAGE_EXTENSION_NAME "VK_KHR_shared_presentable_image"
-- unsupported macro: VK_KHR_external_fence_capabilities 1
-- unsupported macro: VK_KHR_EXTERNAL_FENCE_CAPABILITIES_SPEC_VERSION 1
-- unsupported macro: VK_KHR_EXTERNAL_FENCE_CAPABILITIES_EXTENSION_NAME "VK_KHR_external_fence_capabilities"
-- unsupported macro: VK_KHR_external_fence 1
-- unsupported macro: VK_KHR_EXTERNAL_FENCE_SPEC_VERSION 1
-- unsupported macro: VK_KHR_EXTERNAL_FENCE_EXTENSION_NAME "VK_KHR_external_fence"
-- unsupported macro: VK_KHR_external_fence_fd 1
-- unsupported macro: VK_KHR_EXTERNAL_FENCE_FD_SPEC_VERSION 1
-- unsupported macro: VK_KHR_EXTERNAL_FENCE_FD_EXTENSION_NAME "VK_KHR_external_fence_fd"
-- unsupported macro: VK_KHR_performance_query 1
-- unsupported macro: VK_KHR_PERFORMANCE_QUERY_SPEC_VERSION 1
-- unsupported macro: VK_KHR_PERFORMANCE_QUERY_EXTENSION_NAME "VK_KHR_performance_query"
-- unsupported macro: VK_KHR_maintenance2 1
-- unsupported macro: VK_KHR_MAINTENANCE2_SPEC_VERSION 1
-- unsupported macro: VK_KHR_MAINTENANCE2_EXTENSION_NAME "VK_KHR_maintenance2"
-- unsupported macro: VK_KHR_get_surface_capabilities2 1
-- unsupported macro: VK_KHR_GET_SURFACE_CAPABILITIES_2_SPEC_VERSION 1
-- unsupported macro: VK_KHR_GET_SURFACE_CAPABILITIES_2_EXTENSION_NAME "VK_KHR_get_surface_capabilities2"
-- unsupported macro: VK_KHR_variable_pointers 1
-- unsupported macro: VK_KHR_VARIABLE_POINTERS_SPEC_VERSION 1
-- unsupported macro: VK_KHR_VARIABLE_POINTERS_EXTENSION_NAME "VK_KHR_variable_pointers"
-- unsupported macro: VK_KHR_get_display_properties2 1
-- unsupported macro: VK_KHR_GET_DISPLAY_PROPERTIES_2_SPEC_VERSION 1
-- unsupported macro: VK_KHR_GET_DISPLAY_PROPERTIES_2_EXTENSION_NAME "VK_KHR_get_display_properties2"
-- unsupported macro: VK_KHR_dedicated_allocation 1
-- unsupported macro: VK_KHR_DEDICATED_ALLOCATION_SPEC_VERSION 3
-- unsupported macro: VK_KHR_DEDICATED_ALLOCATION_EXTENSION_NAME "VK_KHR_dedicated_allocation"
-- unsupported macro: VK_KHR_storage_buffer_storage_class 1
-- unsupported macro: VK_KHR_STORAGE_BUFFER_STORAGE_CLASS_SPEC_VERSION 1
-- unsupported macro: VK_KHR_STORAGE_BUFFER_STORAGE_CLASS_EXTENSION_NAME "VK_KHR_storage_buffer_storage_class"
-- unsupported macro: VK_KHR_relaxed_block_layout 1
-- unsupported macro: VK_KHR_RELAXED_BLOCK_LAYOUT_SPEC_VERSION 1
-- unsupported macro: VK_KHR_RELAXED_BLOCK_LAYOUT_EXTENSION_NAME "VK_KHR_relaxed_block_layout"
-- unsupported macro: VK_KHR_get_memory_requirements2 1
-- unsupported macro: VK_KHR_GET_MEMORY_REQUIREMENTS_2_SPEC_VERSION 1
-- unsupported macro: VK_KHR_GET_MEMORY_REQUIREMENTS_2_EXTENSION_NAME "VK_KHR_get_memory_requirements2"
-- unsupported macro: VK_KHR_image_format_list 1
-- unsupported macro: VK_KHR_IMAGE_FORMAT_LIST_SPEC_VERSION 1
-- unsupported macro: VK_KHR_IMAGE_FORMAT_LIST_EXTENSION_NAME "VK_KHR_image_format_list"
-- unsupported macro: VK_KHR_sampler_ycbcr_conversion 1
-- unsupported macro: VK_KHR_SAMPLER_YCBCR_CONVERSION_SPEC_VERSION 14
-- unsupported macro: VK_KHR_SAMPLER_YCBCR_CONVERSION_EXTENSION_NAME "VK_KHR_sampler_ycbcr_conversion"
-- unsupported macro: VK_KHR_bind_memory2 1
-- unsupported macro: VK_KHR_BIND_MEMORY_2_SPEC_VERSION 1
-- unsupported macro: VK_KHR_BIND_MEMORY_2_EXTENSION_NAME "VK_KHR_bind_memory2"
-- unsupported macro: VK_KHR_maintenance3 1
-- unsupported macro: VK_KHR_MAINTENANCE3_SPEC_VERSION 1
-- unsupported macro: VK_KHR_MAINTENANCE3_EXTENSION_NAME "VK_KHR_maintenance3"
-- unsupported macro: VK_KHR_draw_indirect_count 1
-- unsupported macro: VK_KHR_DRAW_INDIRECT_COUNT_SPEC_VERSION 1
-- unsupported macro: VK_KHR_DRAW_INDIRECT_COUNT_EXTENSION_NAME "VK_KHR_draw_indirect_count"
-- unsupported macro: VK_KHR_shader_subgroup_extended_types 1
-- unsupported macro: VK_KHR_SHADER_SUBGROUP_EXTENDED_TYPES_SPEC_VERSION 1
-- unsupported macro: VK_KHR_SHADER_SUBGROUP_EXTENDED_TYPES_EXTENSION_NAME "VK_KHR_shader_subgroup_extended_types"
-- unsupported macro: VK_KHR_8bit_storage 1
-- unsupported macro: VK_KHR_8BIT_STORAGE_SPEC_VERSION 1
-- unsupported macro: VK_KHR_8BIT_STORAGE_EXTENSION_NAME "VK_KHR_8bit_storage"
-- unsupported macro: VK_KHR_shader_atomic_int64 1
-- unsupported macro: VK_KHR_SHADER_ATOMIC_INT64_SPEC_VERSION 1
-- unsupported macro: VK_KHR_SHADER_ATOMIC_INT64_EXTENSION_NAME "VK_KHR_shader_atomic_int64"
-- unsupported macro: VK_KHR_shader_clock 1
-- unsupported macro: VK_KHR_SHADER_CLOCK_SPEC_VERSION 1
-- unsupported macro: VK_KHR_SHADER_CLOCK_EXTENSION_NAME "VK_KHR_shader_clock"
-- unsupported macro: VK_KHR_driver_properties 1
-- unsupported macro: VK_KHR_DRIVER_PROPERTIES_SPEC_VERSION 1
-- unsupported macro: VK_KHR_DRIVER_PROPERTIES_EXTENSION_NAME "VK_KHR_driver_properties"
-- unsupported macro: VK_MAX_DRIVER_NAME_SIZE_KHR VK_MAX_DRIVER_NAME_SIZE
-- unsupported macro: VK_MAX_DRIVER_INFO_SIZE_KHR VK_MAX_DRIVER_INFO_SIZE
-- unsupported macro: VK_KHR_shader_float_controls 1
-- unsupported macro: VK_KHR_SHADER_FLOAT_CONTROLS_SPEC_VERSION 4
-- unsupported macro: VK_KHR_SHADER_FLOAT_CONTROLS_EXTENSION_NAME "VK_KHR_shader_float_controls"
-- unsupported macro: VK_KHR_depth_stencil_resolve 1
-- unsupported macro: VK_KHR_DEPTH_STENCIL_RESOLVE_SPEC_VERSION 1
-- unsupported macro: VK_KHR_DEPTH_STENCIL_RESOLVE_EXTENSION_NAME "VK_KHR_depth_stencil_resolve"
-- unsupported macro: VK_KHR_swapchain_mutable_format 1
-- unsupported macro: VK_KHR_SWAPCHAIN_MUTABLE_FORMAT_SPEC_VERSION 1
-- unsupported macro: VK_KHR_SWAPCHAIN_MUTABLE_FORMAT_EXTENSION_NAME "VK_KHR_swapchain_mutable_format"
-- unsupported macro: VK_KHR_timeline_semaphore 1
-- unsupported macro: VK_KHR_TIMELINE_SEMAPHORE_SPEC_VERSION 2
-- unsupported macro: VK_KHR_TIMELINE_SEMAPHORE_EXTENSION_NAME "VK_KHR_timeline_semaphore"
-- unsupported macro: VK_KHR_vulkan_memory_model 1
-- unsupported macro: VK_KHR_VULKAN_MEMORY_MODEL_SPEC_VERSION 3
-- unsupported macro: VK_KHR_VULKAN_MEMORY_MODEL_EXTENSION_NAME "VK_KHR_vulkan_memory_model"
-- unsupported macro: VK_KHR_shader_terminate_invocation 1
-- unsupported macro: VK_KHR_SHADER_TERMINATE_INVOCATION_SPEC_VERSION 1
-- unsupported macro: VK_KHR_SHADER_TERMINATE_INVOCATION_EXTENSION_NAME "VK_KHR_shader_terminate_invocation"
-- unsupported macro: VK_KHR_fragment_shading_rate 1
-- unsupported macro: VK_KHR_FRAGMENT_SHADING_RATE_SPEC_VERSION 1
-- unsupported macro: VK_KHR_FRAGMENT_SHADING_RATE_EXTENSION_NAME "VK_KHR_fragment_shading_rate"
-- unsupported macro: VK_KHR_spirv_1_4 1
-- unsupported macro: VK_KHR_SPIRV_1_4_SPEC_VERSION 1
-- unsupported macro: VK_KHR_SPIRV_1_4_EXTENSION_NAME "VK_KHR_spirv_1_4"
-- unsupported macro: VK_KHR_surface_protected_capabilities 1
-- unsupported macro: VK_KHR_SURFACE_PROTECTED_CAPABILITIES_SPEC_VERSION 1
-- unsupported macro: VK_KHR_SURFACE_PROTECTED_CAPABILITIES_EXTENSION_NAME "VK_KHR_surface_protected_capabilities"
-- unsupported macro: VK_KHR_separate_depth_stencil_layouts 1
-- unsupported macro: VK_KHR_SEPARATE_DEPTH_STENCIL_LAYOUTS_SPEC_VERSION 1
-- unsupported macro: VK_KHR_SEPARATE_DEPTH_STENCIL_LAYOUTS_EXTENSION_NAME "VK_KHR_separate_depth_stencil_layouts"
-- unsupported macro: VK_KHR_uniform_buffer_standard_layout 1
-- unsupported macro: VK_KHR_UNIFORM_BUFFER_STANDARD_LAYOUT_SPEC_VERSION 1
-- unsupported macro: VK_KHR_UNIFORM_BUFFER_STANDARD_LAYOUT_EXTENSION_NAME "VK_KHR_uniform_buffer_standard_layout"
-- unsupported macro: VK_KHR_buffer_device_address 1
-- unsupported macro: VK_KHR_BUFFER_DEVICE_ADDRESS_SPEC_VERSION 1
-- unsupported macro: VK_KHR_BUFFER_DEVICE_ADDRESS_EXTENSION_NAME "VK_KHR_buffer_device_address"
-- unsupported macro: VK_KHR_deferred_host_operations 1
-- unsupported macro: VK_KHR_DEFERRED_HOST_OPERATIONS_SPEC_VERSION 4
-- unsupported macro: VK_KHR_DEFERRED_HOST_OPERATIONS_EXTENSION_NAME "VK_KHR_deferred_host_operations"
-- unsupported macro: VK_KHR_pipeline_executable_properties 1
-- unsupported macro: VK_KHR_PIPELINE_EXECUTABLE_PROPERTIES_SPEC_VERSION 1
-- unsupported macro: VK_KHR_PIPELINE_EXECUTABLE_PROPERTIES_EXTENSION_NAME "VK_KHR_pipeline_executable_properties"
-- unsupported macro: VK_KHR_pipeline_library 1
-- unsupported macro: VK_KHR_PIPELINE_LIBRARY_SPEC_VERSION 1
-- unsupported macro: VK_KHR_PIPELINE_LIBRARY_EXTENSION_NAME "VK_KHR_pipeline_library"
-- unsupported macro: VK_KHR_shader_non_semantic_info 1
-- unsupported macro: VK_KHR_SHADER_NON_SEMANTIC_INFO_SPEC_VERSION 1
-- unsupported macro: VK_KHR_SHADER_NON_SEMANTIC_INFO_EXTENSION_NAME "VK_KHR_shader_non_semantic_info"
-- unsupported macro: VK_KHR_synchronization2 1
-- unsupported macro: VK_KHR_SYNCHRONIZATION_2_SPEC_VERSION 1
-- unsupported macro: VK_KHR_SYNCHRONIZATION_2_EXTENSION_NAME "VK_KHR_synchronization2"
-- unsupported macro: VK_KHR_zero_initialize_workgroup_memory 1
-- unsupported macro: VK_KHR_ZERO_INITIALIZE_WORKGROUP_MEMORY_SPEC_VERSION 1
-- unsupported macro: VK_KHR_ZERO_INITIALIZE_WORKGROUP_MEMORY_EXTENSION_NAME "VK_KHR_zero_initialize_workgroup_memory"
-- unsupported macro: VK_KHR_workgroup_memory_explicit_layout 1
-- unsupported macro: VK_KHR_WORKGROUP_MEMORY_EXPLICIT_LAYOUT_SPEC_VERSION 1
-- unsupported macro: VK_KHR_WORKGROUP_MEMORY_EXPLICIT_LAYOUT_EXTENSION_NAME "VK_KHR_workgroup_memory_explicit_layout"
-- unsupported macro: VK_KHR_copy_commands2 1
-- unsupported macro: VK_KHR_COPY_COMMANDS_2_SPEC_VERSION 1
-- unsupported macro: VK_KHR_COPY_COMMANDS_2_EXTENSION_NAME "VK_KHR_copy_commands2"
-- unsupported macro: VK_EXT_debug_report 1
-- unsupported macro: VK_EXT_DEBUG_REPORT_SPEC_VERSION 9
-- unsupported macro: VK_EXT_DEBUG_REPORT_EXTENSION_NAME "VK_EXT_debug_report"
-- unsupported macro: VK_NV_glsl_shader 1
-- unsupported macro: VK_NV_GLSL_SHADER_SPEC_VERSION 1
-- unsupported macro: VK_NV_GLSL_SHADER_EXTENSION_NAME "VK_NV_glsl_shader"
-- unsupported macro: VK_EXT_depth_range_unrestricted 1
-- unsupported macro: VK_EXT_DEPTH_RANGE_UNRESTRICTED_SPEC_VERSION 1
-- unsupported macro: VK_EXT_DEPTH_RANGE_UNRESTRICTED_EXTENSION_NAME "VK_EXT_depth_range_unrestricted"
-- unsupported macro: VK_IMG_filter_cubic 1
-- unsupported macro: VK_IMG_FILTER_CUBIC_SPEC_VERSION 1
-- unsupported macro: VK_IMG_FILTER_CUBIC_EXTENSION_NAME "VK_IMG_filter_cubic"
-- unsupported macro: VK_AMD_rasterization_order 1
-- unsupported macro: VK_AMD_RASTERIZATION_ORDER_SPEC_VERSION 1
-- unsupported macro: VK_AMD_RASTERIZATION_ORDER_EXTENSION_NAME "VK_AMD_rasterization_order"
-- unsupported macro: VK_AMD_shader_trinary_minmax 1
-- unsupported macro: VK_AMD_SHADER_TRINARY_MINMAX_SPEC_VERSION 1
-- unsupported macro: VK_AMD_SHADER_TRINARY_MINMAX_EXTENSION_NAME "VK_AMD_shader_trinary_minmax"
-- unsupported macro: VK_AMD_shader_explicit_vertex_parameter 1
-- unsupported macro: VK_AMD_SHADER_EXPLICIT_VERTEX_PARAMETER_SPEC_VERSION 1
-- unsupported macro: VK_AMD_SHADER_EXPLICIT_VERTEX_PARAMETER_EXTENSION_NAME "VK_AMD_shader_explicit_vertex_parameter"
-- unsupported macro: VK_EXT_debug_marker 1
-- unsupported macro: VK_EXT_DEBUG_MARKER_SPEC_VERSION 4
-- unsupported macro: VK_EXT_DEBUG_MARKER_EXTENSION_NAME "VK_EXT_debug_marker"
-- unsupported macro: VK_AMD_gcn_shader 1
-- unsupported macro: VK_AMD_GCN_SHADER_SPEC_VERSION 1
-- unsupported macro: VK_AMD_GCN_SHADER_EXTENSION_NAME "VK_AMD_gcn_shader"
-- unsupported macro: VK_NV_dedicated_allocation 1
-- unsupported macro: VK_NV_DEDICATED_ALLOCATION_SPEC_VERSION 1
-- unsupported macro: VK_NV_DEDICATED_ALLOCATION_EXTENSION_NAME "VK_NV_dedicated_allocation"
-- unsupported macro: VK_EXT_transform_feedback 1
-- unsupported macro: VK_EXT_TRANSFORM_FEEDBACK_SPEC_VERSION 1
-- unsupported macro: VK_EXT_TRANSFORM_FEEDBACK_EXTENSION_NAME "VK_EXT_transform_feedback"
-- unsupported macro: VK_NVX_image_view_handle 1
-- unsupported macro: VK_NVX_IMAGE_VIEW_HANDLE_SPEC_VERSION 2
-- unsupported macro: VK_NVX_IMAGE_VIEW_HANDLE_EXTENSION_NAME "VK_NVX_image_view_handle"
-- unsupported macro: VK_AMD_draw_indirect_count 1
-- unsupported macro: VK_AMD_DRAW_INDIRECT_COUNT_SPEC_VERSION 2
-- unsupported macro: VK_AMD_DRAW_INDIRECT_COUNT_EXTENSION_NAME "VK_AMD_draw_indirect_count"
-- unsupported macro: VK_AMD_negative_viewport_height 1
-- unsupported macro: VK_AMD_NEGATIVE_VIEWPORT_HEIGHT_SPEC_VERSION 1
-- unsupported macro: VK_AMD_NEGATIVE_VIEWPORT_HEIGHT_EXTENSION_NAME "VK_AMD_negative_viewport_height"
-- unsupported macro: VK_AMD_gpu_shader_half_float 1
-- unsupported macro: VK_AMD_GPU_SHADER_HALF_FLOAT_SPEC_VERSION 2
-- unsupported macro: VK_AMD_GPU_SHADER_HALF_FLOAT_EXTENSION_NAME "VK_AMD_gpu_shader_half_float"
-- unsupported macro: VK_AMD_shader_ballot 1
-- unsupported macro: VK_AMD_SHADER_BALLOT_SPEC_VERSION 1
-- unsupported macro: VK_AMD_SHADER_BALLOT_EXTENSION_NAME "VK_AMD_shader_ballot"
-- unsupported macro: VK_AMD_texture_gather_bias_lod 1
-- unsupported macro: VK_AMD_TEXTURE_GATHER_BIAS_LOD_SPEC_VERSION 1
-- unsupported macro: VK_AMD_TEXTURE_GATHER_BIAS_LOD_EXTENSION_NAME "VK_AMD_texture_gather_bias_lod"
-- unsupported macro: VK_AMD_shader_info 1
-- unsupported macro: VK_AMD_SHADER_INFO_SPEC_VERSION 1
-- unsupported macro: VK_AMD_SHADER_INFO_EXTENSION_NAME "VK_AMD_shader_info"
-- unsupported macro: VK_AMD_shader_image_load_store_lod 1
-- unsupported macro: VK_AMD_SHADER_IMAGE_LOAD_STORE_LOD_SPEC_VERSION 1
-- unsupported macro: VK_AMD_SHADER_IMAGE_LOAD_STORE_LOD_EXTENSION_NAME "VK_AMD_shader_image_load_store_lod"
-- unsupported macro: VK_NV_corner_sampled_image 1
-- unsupported macro: VK_NV_CORNER_SAMPLED_IMAGE_SPEC_VERSION 2
-- unsupported macro: VK_NV_CORNER_SAMPLED_IMAGE_EXTENSION_NAME "VK_NV_corner_sampled_image"
-- unsupported macro: VK_IMG_format_pvrtc 1
-- unsupported macro: VK_IMG_FORMAT_PVRTC_SPEC_VERSION 1
-- unsupported macro: VK_IMG_FORMAT_PVRTC_EXTENSION_NAME "VK_IMG_format_pvrtc"
-- unsupported macro: VK_NV_external_memory_capabilities 1
-- unsupported macro: VK_NV_EXTERNAL_MEMORY_CAPABILITIES_SPEC_VERSION 1
-- unsupported macro: VK_NV_EXTERNAL_MEMORY_CAPABILITIES_EXTENSION_NAME "VK_NV_external_memory_capabilities"
-- unsupported macro: VK_NV_external_memory 1
-- unsupported macro: VK_NV_EXTERNAL_MEMORY_SPEC_VERSION 1
-- unsupported macro: VK_NV_EXTERNAL_MEMORY_EXTENSION_NAME "VK_NV_external_memory"
-- unsupported macro: VK_EXT_validation_flags 1
-- unsupported macro: VK_EXT_VALIDATION_FLAGS_SPEC_VERSION 2
-- unsupported macro: VK_EXT_VALIDATION_FLAGS_EXTENSION_NAME "VK_EXT_validation_flags"
-- unsupported macro: VK_EXT_shader_subgroup_ballot 1
-- unsupported macro: VK_EXT_SHADER_SUBGROUP_BALLOT_SPEC_VERSION 1
-- unsupported macro: VK_EXT_SHADER_SUBGROUP_BALLOT_EXTENSION_NAME "VK_EXT_shader_subgroup_ballot"
-- unsupported macro: VK_EXT_shader_subgroup_vote 1
-- unsupported macro: VK_EXT_SHADER_SUBGROUP_VOTE_SPEC_VERSION 1
-- unsupported macro: VK_EXT_SHADER_SUBGROUP_VOTE_EXTENSION_NAME "VK_EXT_shader_subgroup_vote"
-- unsupported macro: VK_EXT_texture_compression_astc_hdr 1
-- unsupported macro: VK_EXT_TEXTURE_COMPRESSION_ASTC_HDR_SPEC_VERSION 1
-- unsupported macro: VK_EXT_TEXTURE_COMPRESSION_ASTC_HDR_EXTENSION_NAME "VK_EXT_texture_compression_astc_hdr"
-- unsupported macro: VK_EXT_astc_decode_mode 1
-- unsupported macro: VK_EXT_ASTC_DECODE_MODE_SPEC_VERSION 1
-- unsupported macro: VK_EXT_ASTC_DECODE_MODE_EXTENSION_NAME "VK_EXT_astc_decode_mode"
-- unsupported macro: VK_EXT_conditional_rendering 1
-- unsupported macro: VK_EXT_CONDITIONAL_RENDERING_SPEC_VERSION 2
-- unsupported macro: VK_EXT_CONDITIONAL_RENDERING_EXTENSION_NAME "VK_EXT_conditional_rendering"
-- unsupported macro: VK_NV_clip_space_w_scaling 1
-- unsupported macro: VK_NV_CLIP_SPACE_W_SCALING_SPEC_VERSION 1
-- unsupported macro: VK_NV_CLIP_SPACE_W_SCALING_EXTENSION_NAME "VK_NV_clip_space_w_scaling"
-- unsupported macro: VK_EXT_direct_mode_display 1
-- unsupported macro: VK_EXT_DIRECT_MODE_DISPLAY_SPEC_VERSION 1
-- unsupported macro: VK_EXT_DIRECT_MODE_DISPLAY_EXTENSION_NAME "VK_EXT_direct_mode_display"
-- unsupported macro: VK_EXT_display_surface_counter 1
-- unsupported macro: VK_EXT_DISPLAY_SURFACE_COUNTER_SPEC_VERSION 1
-- unsupported macro: VK_EXT_DISPLAY_SURFACE_COUNTER_EXTENSION_NAME "VK_EXT_display_surface_counter"
-- unsupported macro: VK_EXT_display_control 1
-- unsupported macro: VK_EXT_DISPLAY_CONTROL_SPEC_VERSION 1
-- unsupported macro: VK_EXT_DISPLAY_CONTROL_EXTENSION_NAME "VK_EXT_display_control"
-- unsupported macro: VK_GOOGLE_display_timing 1
-- unsupported macro: VK_GOOGLE_DISPLAY_TIMING_SPEC_VERSION 1
-- unsupported macro: VK_GOOGLE_DISPLAY_TIMING_EXTENSION_NAME "VK_GOOGLE_display_timing"
-- unsupported macro: VK_NV_sample_mask_override_coverage 1
-- unsupported macro: VK_NV_SAMPLE_MASK_OVERRIDE_COVERAGE_SPEC_VERSION 1
-- unsupported macro: VK_NV_SAMPLE_MASK_OVERRIDE_COVERAGE_EXTENSION_NAME "VK_NV_sample_mask_override_coverage"
-- unsupported macro: VK_NV_geometry_shader_passthrough 1
-- unsupported macro: VK_NV_GEOMETRY_SHADER_PASSTHROUGH_SPEC_VERSION 1
-- unsupported macro: VK_NV_GEOMETRY_SHADER_PASSTHROUGH_EXTENSION_NAME "VK_NV_geometry_shader_passthrough"
-- unsupported macro: VK_NV_viewport_array2 1
-- unsupported macro: VK_NV_VIEWPORT_ARRAY2_SPEC_VERSION 1
-- unsupported macro: VK_NV_VIEWPORT_ARRAY2_EXTENSION_NAME "VK_NV_viewport_array2"
-- unsupported macro: VK_NVX_multiview_per_view_attributes 1
-- unsupported macro: VK_NVX_MULTIVIEW_PER_VIEW_ATTRIBUTES_SPEC_VERSION 1
-- unsupported macro: VK_NVX_MULTIVIEW_PER_VIEW_ATTRIBUTES_EXTENSION_NAME "VK_NVX_multiview_per_view_attributes"
-- unsupported macro: VK_NV_viewport_swizzle 1
-- unsupported macro: VK_NV_VIEWPORT_SWIZZLE_SPEC_VERSION 1
-- unsupported macro: VK_NV_VIEWPORT_SWIZZLE_EXTENSION_NAME "VK_NV_viewport_swizzle"
-- unsupported macro: VK_EXT_discard_rectangles 1
-- unsupported macro: VK_EXT_DISCARD_RECTANGLES_SPEC_VERSION 1
-- unsupported macro: VK_EXT_DISCARD_RECTANGLES_EXTENSION_NAME "VK_EXT_discard_rectangles"
-- unsupported macro: VK_EXT_conservative_rasterization 1
-- unsupported macro: VK_EXT_CONSERVATIVE_RASTERIZATION_SPEC_VERSION 1
-- unsupported macro: VK_EXT_CONSERVATIVE_RASTERIZATION_EXTENSION_NAME "VK_EXT_conservative_rasterization"
-- unsupported macro: VK_EXT_depth_clip_enable 1
-- unsupported macro: VK_EXT_DEPTH_CLIP_ENABLE_SPEC_VERSION 1
-- unsupported macro: VK_EXT_DEPTH_CLIP_ENABLE_EXTENSION_NAME "VK_EXT_depth_clip_enable"
-- unsupported macro: VK_EXT_swapchain_colorspace 1
-- unsupported macro: VK_EXT_SWAPCHAIN_COLOR_SPACE_SPEC_VERSION 4
-- unsupported macro: VK_EXT_SWAPCHAIN_COLOR_SPACE_EXTENSION_NAME "VK_EXT_swapchain_colorspace"
-- unsupported macro: VK_EXT_hdr_metadata 1
-- unsupported macro: VK_EXT_HDR_METADATA_SPEC_VERSION 2
-- unsupported macro: VK_EXT_HDR_METADATA_EXTENSION_NAME "VK_EXT_hdr_metadata"
-- unsupported macro: VK_EXT_external_memory_dma_buf 1
-- unsupported macro: VK_EXT_EXTERNAL_MEMORY_DMA_BUF_SPEC_VERSION 1
-- unsupported macro: VK_EXT_EXTERNAL_MEMORY_DMA_BUF_EXTENSION_NAME "VK_EXT_external_memory_dma_buf"
-- unsupported macro: VK_EXT_queue_family_foreign 1
-- unsupported macro: VK_EXT_QUEUE_FAMILY_FOREIGN_SPEC_VERSION 1
-- unsupported macro: VK_EXT_QUEUE_FAMILY_FOREIGN_EXTENSION_NAME "VK_EXT_queue_family_foreign"
-- unsupported macro: VK_QUEUE_FAMILY_FOREIGN_EXT (~0U-2)
-- unsupported macro: VK_EXT_debug_utils 1
-- unsupported macro: VK_EXT_DEBUG_UTILS_SPEC_VERSION 2
-- unsupported macro: VK_EXT_DEBUG_UTILS_EXTENSION_NAME "VK_EXT_debug_utils"
-- unsupported macro: VK_EXT_sampler_filter_minmax 1
-- unsupported macro: VK_EXT_SAMPLER_FILTER_MINMAX_SPEC_VERSION 2
-- unsupported macro: VK_EXT_SAMPLER_FILTER_MINMAX_EXTENSION_NAME "VK_EXT_sampler_filter_minmax"
-- unsupported macro: VK_AMD_gpu_shader_int16 1
-- unsupported macro: VK_AMD_GPU_SHADER_INT16_SPEC_VERSION 2
-- unsupported macro: VK_AMD_GPU_SHADER_INT16_EXTENSION_NAME "VK_AMD_gpu_shader_int16"
-- unsupported macro: VK_AMD_mixed_attachment_samples 1
-- unsupported macro: VK_AMD_MIXED_ATTACHMENT_SAMPLES_SPEC_VERSION 1
-- unsupported macro: VK_AMD_MIXED_ATTACHMENT_SAMPLES_EXTENSION_NAME "VK_AMD_mixed_attachment_samples"
-- unsupported macro: VK_AMD_shader_fragment_mask 1
-- unsupported macro: VK_AMD_SHADER_FRAGMENT_MASK_SPEC_VERSION 1
-- unsupported macro: VK_AMD_SHADER_FRAGMENT_MASK_EXTENSION_NAME "VK_AMD_shader_fragment_mask"
-- unsupported macro: VK_EXT_inline_uniform_block 1
-- unsupported macro: VK_EXT_INLINE_UNIFORM_BLOCK_SPEC_VERSION 1
-- unsupported macro: VK_EXT_INLINE_UNIFORM_BLOCK_EXTENSION_NAME "VK_EXT_inline_uniform_block"
-- unsupported macro: VK_EXT_shader_stencil_export 1
-- unsupported macro: VK_EXT_SHADER_STENCIL_EXPORT_SPEC_VERSION 1
-- unsupported macro: VK_EXT_SHADER_STENCIL_EXPORT_EXTENSION_NAME "VK_EXT_shader_stencil_export"
-- unsupported macro: VK_EXT_sample_locations 1
-- unsupported macro: VK_EXT_SAMPLE_LOCATIONS_SPEC_VERSION 1
-- unsupported macro: VK_EXT_SAMPLE_LOCATIONS_EXTENSION_NAME "VK_EXT_sample_locations"
-- unsupported macro: VK_EXT_blend_operation_advanced 1
-- unsupported macro: VK_EXT_BLEND_OPERATION_ADVANCED_SPEC_VERSION 2
-- unsupported macro: VK_EXT_BLEND_OPERATION_ADVANCED_EXTENSION_NAME "VK_EXT_blend_operation_advanced"
-- unsupported macro: VK_NV_fragment_coverage_to_color 1
-- unsupported macro: VK_NV_FRAGMENT_COVERAGE_TO_COLOR_SPEC_VERSION 1
-- unsupported macro: VK_NV_FRAGMENT_COVERAGE_TO_COLOR_EXTENSION_NAME "VK_NV_fragment_coverage_to_color"
-- unsupported macro: VK_NV_framebuffer_mixed_samples 1
-- unsupported macro: VK_NV_FRAMEBUFFER_MIXED_SAMPLES_SPEC_VERSION 1
-- unsupported macro: VK_NV_FRAMEBUFFER_MIXED_SAMPLES_EXTENSION_NAME "VK_NV_framebuffer_mixed_samples"
-- unsupported macro: VK_NV_fill_rectangle 1
-- unsupported macro: VK_NV_FILL_RECTANGLE_SPEC_VERSION 1
-- unsupported macro: VK_NV_FILL_RECTANGLE_EXTENSION_NAME "VK_NV_fill_rectangle"
-- unsupported macro: VK_NV_shader_sm_builtins 1
-- unsupported macro: VK_NV_SHADER_SM_BUILTINS_SPEC_VERSION 1
-- unsupported macro: VK_NV_SHADER_SM_BUILTINS_EXTENSION_NAME "VK_NV_shader_sm_builtins"
-- unsupported macro: VK_EXT_post_depth_coverage 1
-- unsupported macro: VK_EXT_POST_DEPTH_COVERAGE_SPEC_VERSION 1
-- unsupported macro: VK_EXT_POST_DEPTH_COVERAGE_EXTENSION_NAME "VK_EXT_post_depth_coverage"
-- unsupported macro: VK_EXT_image_drm_format_modifier 1
-- unsupported macro: VK_EXT_IMAGE_DRM_FORMAT_MODIFIER_SPEC_VERSION 1
-- unsupported macro: VK_EXT_IMAGE_DRM_FORMAT_MODIFIER_EXTENSION_NAME "VK_EXT_image_drm_format_modifier"
-- unsupported macro: VK_EXT_validation_cache 1
-- unsupported macro: VK_EXT_VALIDATION_CACHE_SPEC_VERSION 1
-- unsupported macro: VK_EXT_VALIDATION_CACHE_EXTENSION_NAME "VK_EXT_validation_cache"
-- unsupported macro: VK_EXT_descriptor_indexing 1
-- unsupported macro: VK_EXT_DESCRIPTOR_INDEXING_SPEC_VERSION 2
-- unsupported macro: VK_EXT_DESCRIPTOR_INDEXING_EXTENSION_NAME "VK_EXT_descriptor_indexing"
-- unsupported macro: VK_EXT_shader_viewport_index_layer 1
-- unsupported macro: VK_EXT_SHADER_VIEWPORT_INDEX_LAYER_SPEC_VERSION 1
-- unsupported macro: VK_EXT_SHADER_VIEWPORT_INDEX_LAYER_EXTENSION_NAME "VK_EXT_shader_viewport_index_layer"
-- unsupported macro: VK_NV_shading_rate_image 1
-- unsupported macro: VK_NV_SHADING_RATE_IMAGE_SPEC_VERSION 3
-- unsupported macro: VK_NV_SHADING_RATE_IMAGE_EXTENSION_NAME "VK_NV_shading_rate_image"
-- unsupported macro: VK_NV_ray_tracing 1
-- unsupported macro: VK_NV_RAY_TRACING_SPEC_VERSION 3
-- unsupported macro: VK_NV_RAY_TRACING_EXTENSION_NAME "VK_NV_ray_tracing"
-- unsupported macro: VK_SHADER_UNUSED_KHR (~0U)
-- unsupported macro: VK_SHADER_UNUSED_NV VK_SHADER_UNUSED_KHR
-- unsupported macro: VK_NV_representative_fragment_test 1
-- unsupported macro: VK_NV_REPRESENTATIVE_FRAGMENT_TEST_SPEC_VERSION 2
-- unsupported macro: VK_NV_REPRESENTATIVE_FRAGMENT_TEST_EXTENSION_NAME "VK_NV_representative_fragment_test"
-- unsupported macro: VK_EXT_filter_cubic 1
-- unsupported macro: VK_EXT_FILTER_CUBIC_SPEC_VERSION 3
-- unsupported macro: VK_EXT_FILTER_CUBIC_EXTENSION_NAME "VK_EXT_filter_cubic"
-- unsupported macro: VK_QCOM_render_pass_shader_resolve 1
-- unsupported macro: VK_QCOM_RENDER_PASS_SHADER_RESOLVE_SPEC_VERSION 4
-- unsupported macro: VK_QCOM_RENDER_PASS_SHADER_RESOLVE_EXTENSION_NAME "VK_QCOM_render_pass_shader_resolve"
-- unsupported macro: VK_EXT_global_priority 1
-- unsupported macro: VK_EXT_GLOBAL_PRIORITY_SPEC_VERSION 2
-- unsupported macro: VK_EXT_GLOBAL_PRIORITY_EXTENSION_NAME "VK_EXT_global_priority"
-- unsupported macro: VK_EXT_external_memory_host 1
-- unsupported macro: VK_EXT_EXTERNAL_MEMORY_HOST_SPEC_VERSION 1
-- unsupported macro: VK_EXT_EXTERNAL_MEMORY_HOST_EXTENSION_NAME "VK_EXT_external_memory_host"
-- unsupported macro: VK_AMD_buffer_marker 1
-- unsupported macro: VK_AMD_BUFFER_MARKER_SPEC_VERSION 1
-- unsupported macro: VK_AMD_BUFFER_MARKER_EXTENSION_NAME "VK_AMD_buffer_marker"
-- unsupported macro: VK_AMD_pipeline_compiler_control 1
-- unsupported macro: VK_AMD_PIPELINE_COMPILER_CONTROL_SPEC_VERSION 1
-- unsupported macro: VK_AMD_PIPELINE_COMPILER_CONTROL_EXTENSION_NAME "VK_AMD_pipeline_compiler_control"
-- unsupported macro: VK_EXT_calibrated_timestamps 1
-- unsupported macro: VK_EXT_CALIBRATED_TIMESTAMPS_SPEC_VERSION 1
-- unsupported macro: VK_EXT_CALIBRATED_TIMESTAMPS_EXTENSION_NAME "VK_EXT_calibrated_timestamps"
-- unsupported macro: VK_AMD_shader_core_properties 1
-- unsupported macro: VK_AMD_SHADER_CORE_PROPERTIES_SPEC_VERSION 2
-- unsupported macro: VK_AMD_SHADER_CORE_PROPERTIES_EXTENSION_NAME "VK_AMD_shader_core_properties"
-- unsupported macro: VK_AMD_memory_overallocation_behavior 1
-- unsupported macro: VK_AMD_MEMORY_OVERALLOCATION_BEHAVIOR_SPEC_VERSION 1
-- unsupported macro: VK_AMD_MEMORY_OVERALLOCATION_BEHAVIOR_EXTENSION_NAME "VK_AMD_memory_overallocation_behavior"
-- unsupported macro: VK_EXT_vertex_attribute_divisor 1
-- unsupported macro: VK_EXT_VERTEX_ATTRIBUTE_DIVISOR_SPEC_VERSION 3
-- unsupported macro: VK_EXT_VERTEX_ATTRIBUTE_DIVISOR_EXTENSION_NAME "VK_EXT_vertex_attribute_divisor"
-- unsupported macro: VK_EXT_pipeline_creation_feedback 1
-- unsupported macro: VK_EXT_PIPELINE_CREATION_FEEDBACK_SPEC_VERSION 1
-- unsupported macro: VK_EXT_PIPELINE_CREATION_FEEDBACK_EXTENSION_NAME "VK_EXT_pipeline_creation_feedback"
-- unsupported macro: VK_NV_shader_subgroup_partitioned 1
-- unsupported macro: VK_NV_SHADER_SUBGROUP_PARTITIONED_SPEC_VERSION 1
-- unsupported macro: VK_NV_SHADER_SUBGROUP_PARTITIONED_EXTENSION_NAME "VK_NV_shader_subgroup_partitioned"
-- unsupported macro: VK_NV_compute_shader_derivatives 1
-- unsupported macro: VK_NV_COMPUTE_SHADER_DERIVATIVES_SPEC_VERSION 1
-- unsupported macro: VK_NV_COMPUTE_SHADER_DERIVATIVES_EXTENSION_NAME "VK_NV_compute_shader_derivatives"
-- unsupported macro: VK_NV_mesh_shader 1
-- unsupported macro: VK_NV_MESH_SHADER_SPEC_VERSION 1
-- unsupported macro: VK_NV_MESH_SHADER_EXTENSION_NAME "VK_NV_mesh_shader"
-- unsupported macro: VK_NV_fragment_shader_barycentric 1
-- unsupported macro: VK_NV_FRAGMENT_SHADER_BARYCENTRIC_SPEC_VERSION 1
-- unsupported macro: VK_NV_FRAGMENT_SHADER_BARYCENTRIC_EXTENSION_NAME "VK_NV_fragment_shader_barycentric"
-- unsupported macro: VK_NV_shader_image_footprint 1
-- unsupported macro: VK_NV_SHADER_IMAGE_FOOTPRINT_SPEC_VERSION 2
-- unsupported macro: VK_NV_SHADER_IMAGE_FOOTPRINT_EXTENSION_NAME "VK_NV_shader_image_footprint"
-- unsupported macro: VK_NV_scissor_exclusive 1
-- unsupported macro: VK_NV_SCISSOR_EXCLUSIVE_SPEC_VERSION 1
-- unsupported macro: VK_NV_SCISSOR_EXCLUSIVE_EXTENSION_NAME "VK_NV_scissor_exclusive"
-- unsupported macro: VK_NV_device_diagnostic_checkpoints 1
-- unsupported macro: VK_NV_DEVICE_DIAGNOSTIC_CHECKPOINTS_SPEC_VERSION 2
-- unsupported macro: VK_NV_DEVICE_DIAGNOSTIC_CHECKPOINTS_EXTENSION_NAME "VK_NV_device_diagnostic_checkpoints"
-- unsupported macro: VK_INTEL_shader_integer_functions2 1
-- unsupported macro: VK_INTEL_SHADER_INTEGER_FUNCTIONS_2_SPEC_VERSION 1
-- unsupported macro: VK_INTEL_SHADER_INTEGER_FUNCTIONS_2_EXTENSION_NAME "VK_INTEL_shader_integer_functions2"
-- unsupported macro: VK_INTEL_performance_query 1
-- unsupported macro: VK_INTEL_PERFORMANCE_QUERY_SPEC_VERSION 2
-- unsupported macro: VK_INTEL_PERFORMANCE_QUERY_EXTENSION_NAME "VK_INTEL_performance_query"
-- unsupported macro: VK_EXT_pci_bus_info 1
-- unsupported macro: VK_EXT_PCI_BUS_INFO_SPEC_VERSION 2
-- unsupported macro: VK_EXT_PCI_BUS_INFO_EXTENSION_NAME "VK_EXT_pci_bus_info"
-- unsupported macro: VK_AMD_display_native_hdr 1
-- unsupported macro: VK_AMD_DISPLAY_NATIVE_HDR_SPEC_VERSION 1
-- unsupported macro: VK_AMD_DISPLAY_NATIVE_HDR_EXTENSION_NAME "VK_AMD_display_native_hdr"
-- unsupported macro: VK_EXT_fragment_density_map 1
-- unsupported macro: VK_EXT_FRAGMENT_DENSITY_MAP_SPEC_VERSION 1
-- unsupported macro: VK_EXT_FRAGMENT_DENSITY_MAP_EXTENSION_NAME "VK_EXT_fragment_density_map"
-- unsupported macro: VK_EXT_scalar_block_layout 1
-- unsupported macro: VK_EXT_SCALAR_BLOCK_LAYOUT_SPEC_VERSION 1
-- unsupported macro: VK_EXT_SCALAR_BLOCK_LAYOUT_EXTENSION_NAME "VK_EXT_scalar_block_layout"
-- unsupported macro: VK_GOOGLE_hlsl_functionality1 1
-- unsupported macro: VK_GOOGLE_HLSL_FUNCTIONALITY1_SPEC_VERSION 1
-- unsupported macro: VK_GOOGLE_HLSL_FUNCTIONALITY1_EXTENSION_NAME "VK_GOOGLE_hlsl_functionality1"
-- unsupported macro: VK_GOOGLE_decorate_string 1
-- unsupported macro: VK_GOOGLE_DECORATE_STRING_SPEC_VERSION 1
-- unsupported macro: VK_GOOGLE_DECORATE_STRING_EXTENSION_NAME "VK_GOOGLE_decorate_string"
-- unsupported macro: VK_EXT_subgroup_size_control 1
-- unsupported macro: VK_EXT_SUBGROUP_SIZE_CONTROL_SPEC_VERSION 2
-- unsupported macro: VK_EXT_SUBGROUP_SIZE_CONTROL_EXTENSION_NAME "VK_EXT_subgroup_size_control"
-- unsupported macro: VK_AMD_shader_core_properties2 1
-- unsupported macro: VK_AMD_SHADER_CORE_PROPERTIES_2_SPEC_VERSION 1
-- unsupported macro: VK_AMD_SHADER_CORE_PROPERTIES_2_EXTENSION_NAME "VK_AMD_shader_core_properties2"
-- unsupported macro: VK_AMD_device_coherent_memory 1
-- unsupported macro: VK_AMD_DEVICE_COHERENT_MEMORY_SPEC_VERSION 1
-- unsupported macro: VK_AMD_DEVICE_COHERENT_MEMORY_EXTENSION_NAME "VK_AMD_device_coherent_memory"
-- unsupported macro: VK_EXT_shader_image_atomic_int64 1
-- unsupported macro: VK_EXT_SHADER_IMAGE_ATOMIC_INT64_SPEC_VERSION 1
-- unsupported macro: VK_EXT_SHADER_IMAGE_ATOMIC_INT64_EXTENSION_NAME "VK_EXT_shader_image_atomic_int64"
-- unsupported macro: VK_EXT_memory_budget 1
-- unsupported macro: VK_EXT_MEMORY_BUDGET_SPEC_VERSION 1
-- unsupported macro: VK_EXT_MEMORY_BUDGET_EXTENSION_NAME "VK_EXT_memory_budget"
-- unsupported macro: VK_EXT_memory_priority 1
-- unsupported macro: VK_EXT_MEMORY_PRIORITY_SPEC_VERSION 1
-- unsupported macro: VK_EXT_MEMORY_PRIORITY_EXTENSION_NAME "VK_EXT_memory_priority"
-- unsupported macro: VK_NV_dedicated_allocation_image_aliasing 1
-- unsupported macro: VK_NV_DEDICATED_ALLOCATION_IMAGE_ALIASING_SPEC_VERSION 1
-- unsupported macro: VK_NV_DEDICATED_ALLOCATION_IMAGE_ALIASING_EXTENSION_NAME "VK_NV_dedicated_allocation_image_aliasing"
-- unsupported macro: VK_EXT_buffer_device_address 1
-- unsupported macro: VK_EXT_BUFFER_DEVICE_ADDRESS_SPEC_VERSION 2
-- unsupported macro: VK_EXT_BUFFER_DEVICE_ADDRESS_EXTENSION_NAME "VK_EXT_buffer_device_address"
-- unsupported macro: VK_EXT_tooling_info 1
-- unsupported macro: VK_EXT_TOOLING_INFO_SPEC_VERSION 1
-- unsupported macro: VK_EXT_TOOLING_INFO_EXTENSION_NAME "VK_EXT_tooling_info"
-- unsupported macro: VK_EXT_separate_stencil_usage 1
-- unsupported macro: VK_EXT_SEPARATE_STENCIL_USAGE_SPEC_VERSION 1
-- unsupported macro: VK_EXT_SEPARATE_STENCIL_USAGE_EXTENSION_NAME "VK_EXT_separate_stencil_usage"
-- unsupported macro: VK_EXT_validation_features 1
-- unsupported macro: VK_EXT_VALIDATION_FEATURES_SPEC_VERSION 4
-- unsupported macro: VK_EXT_VALIDATION_FEATURES_EXTENSION_NAME "VK_EXT_validation_features"
-- unsupported macro: VK_NV_cooperative_matrix 1
-- unsupported macro: VK_NV_COOPERATIVE_MATRIX_SPEC_VERSION 1
-- unsupported macro: VK_NV_COOPERATIVE_MATRIX_EXTENSION_NAME "VK_NV_cooperative_matrix"
-- unsupported macro: VK_NV_coverage_reduction_mode 1
-- unsupported macro: VK_NV_COVERAGE_REDUCTION_MODE_SPEC_VERSION 1
-- unsupported macro: VK_NV_COVERAGE_REDUCTION_MODE_EXTENSION_NAME "VK_NV_coverage_reduction_mode"
-- unsupported macro: VK_EXT_fragment_shader_interlock 1
-- unsupported macro: VK_EXT_FRAGMENT_SHADER_INTERLOCK_SPEC_VERSION 1
-- unsupported macro: VK_EXT_FRAGMENT_SHADER_INTERLOCK_EXTENSION_NAME "VK_EXT_fragment_shader_interlock"
-- unsupported macro: VK_EXT_ycbcr_image_arrays 1
-- unsupported macro: VK_EXT_YCBCR_IMAGE_ARRAYS_SPEC_VERSION 1
-- unsupported macro: VK_EXT_YCBCR_IMAGE_ARRAYS_EXTENSION_NAME "VK_EXT_ycbcr_image_arrays"
-- unsupported macro: VK_EXT_headless_surface 1
-- unsupported macro: VK_EXT_HEADLESS_SURFACE_SPEC_VERSION 1
-- unsupported macro: VK_EXT_HEADLESS_SURFACE_EXTENSION_NAME "VK_EXT_headless_surface"
-- unsupported macro: VK_EXT_line_rasterization 1
-- unsupported macro: VK_EXT_LINE_RASTERIZATION_SPEC_VERSION 1
-- unsupported macro: VK_EXT_LINE_RASTERIZATION_EXTENSION_NAME "VK_EXT_line_rasterization"
-- unsupported macro: VK_EXT_shader_atomic_float 1
-- unsupported macro: VK_EXT_SHADER_ATOMIC_FLOAT_SPEC_VERSION 1
-- unsupported macro: VK_EXT_SHADER_ATOMIC_FLOAT_EXTENSION_NAME "VK_EXT_shader_atomic_float"
-- unsupported macro: VK_EXT_host_query_reset 1
-- unsupported macro: VK_EXT_HOST_QUERY_RESET_SPEC_VERSION 1
-- unsupported macro: VK_EXT_HOST_QUERY_RESET_EXTENSION_NAME "VK_EXT_host_query_reset"
-- unsupported macro: VK_EXT_index_type_uint8 1
-- unsupported macro: VK_EXT_INDEX_TYPE_UINT8_SPEC_VERSION 1
-- unsupported macro: VK_EXT_INDEX_TYPE_UINT8_EXTENSION_NAME "VK_EXT_index_type_uint8"
-- unsupported macro: VK_EXT_extended_dynamic_state 1
-- unsupported macro: VK_EXT_EXTENDED_DYNAMIC_STATE_SPEC_VERSION 1
-- unsupported macro: VK_EXT_EXTENDED_DYNAMIC_STATE_EXTENSION_NAME "VK_EXT_extended_dynamic_state"
-- unsupported macro: VK_EXT_shader_demote_to_helper_invocation 1
-- unsupported macro: VK_EXT_SHADER_DEMOTE_TO_HELPER_INVOCATION_SPEC_VERSION 1
-- unsupported macro: VK_EXT_SHADER_DEMOTE_TO_HELPER_INVOCATION_EXTENSION_NAME "VK_EXT_shader_demote_to_helper_invocation"
-- unsupported macro: VK_NV_device_generated_commands 1
-- unsupported macro: VK_NV_DEVICE_GENERATED_COMMANDS_SPEC_VERSION 3
-- unsupported macro: VK_NV_DEVICE_GENERATED_COMMANDS_EXTENSION_NAME "VK_NV_device_generated_commands"
-- unsupported macro: VK_EXT_texel_buffer_alignment 1
-- unsupported macro: VK_EXT_TEXEL_BUFFER_ALIGNMENT_SPEC_VERSION 1
-- unsupported macro: VK_EXT_TEXEL_BUFFER_ALIGNMENT_EXTENSION_NAME "VK_EXT_texel_buffer_alignment"
-- unsupported macro: VK_QCOM_render_pass_transform 1
-- unsupported macro: VK_QCOM_RENDER_PASS_TRANSFORM_SPEC_VERSION 1
-- unsupported macro: VK_QCOM_RENDER_PASS_TRANSFORM_EXTENSION_NAME "VK_QCOM_render_pass_transform"
-- unsupported macro: VK_EXT_device_memory_report 1
-- unsupported macro: VK_EXT_DEVICE_MEMORY_REPORT_SPEC_VERSION 2
-- unsupported macro: VK_EXT_DEVICE_MEMORY_REPORT_EXTENSION_NAME "VK_EXT_device_memory_report"
-- unsupported macro: VK_EXT_robustness2 1
-- unsupported macro: VK_EXT_ROBUSTNESS_2_SPEC_VERSION 1
-- unsupported macro: VK_EXT_ROBUSTNESS_2_EXTENSION_NAME "VK_EXT_robustness2"
-- unsupported macro: VK_EXT_custom_border_color 1
-- unsupported macro: VK_EXT_CUSTOM_BORDER_COLOR_SPEC_VERSION 12
-- unsupported macro: VK_EXT_CUSTOM_BORDER_COLOR_EXTENSION_NAME "VK_EXT_custom_border_color"
-- unsupported macro: VK_GOOGLE_user_type 1
-- unsupported macro: VK_GOOGLE_USER_TYPE_SPEC_VERSION 1
-- unsupported macro: VK_GOOGLE_USER_TYPE_EXTENSION_NAME "VK_GOOGLE_user_type"
-- unsupported macro: VK_EXT_private_data 1
-- unsupported macro: VK_EXT_PRIVATE_DATA_SPEC_VERSION 1
-- unsupported macro: VK_EXT_PRIVATE_DATA_EXTENSION_NAME "VK_EXT_private_data"
-- unsupported macro: VK_EXT_pipeline_creation_cache_control 1
-- unsupported macro: VK_EXT_PIPELINE_CREATION_CACHE_CONTROL_SPEC_VERSION 3
-- unsupported macro: VK_EXT_PIPELINE_CREATION_CACHE_CONTROL_EXTENSION_NAME "VK_EXT_pipeline_creation_cache_control"
-- unsupported macro: VK_NV_device_diagnostics_config 1
-- unsupported macro: VK_NV_DEVICE_DIAGNOSTICS_CONFIG_SPEC_VERSION 1
-- unsupported macro: VK_NV_DEVICE_DIAGNOSTICS_CONFIG_EXTENSION_NAME "VK_NV_device_diagnostics_config"
-- unsupported macro: VK_QCOM_render_pass_store_ops 1
-- unsupported macro: VK_QCOM_render_pass_store_ops_SPEC_VERSION 2
-- unsupported macro: VK_QCOM_render_pass_store_ops_EXTENSION_NAME "VK_QCOM_render_pass_store_ops"
-- unsupported macro: VK_NV_fragment_shading_rate_enums 1
-- unsupported macro: VK_NV_FRAGMENT_SHADING_RATE_ENUMS_SPEC_VERSION 1
-- unsupported macro: VK_NV_FRAGMENT_SHADING_RATE_ENUMS_EXTENSION_NAME "VK_NV_fragment_shading_rate_enums"
-- unsupported macro: VK_EXT_fragment_density_map2 1
-- unsupported macro: VK_EXT_FRAGMENT_DENSITY_MAP_2_SPEC_VERSION 1
-- unsupported macro: VK_EXT_FRAGMENT_DENSITY_MAP_2_EXTENSION_NAME "VK_EXT_fragment_density_map2"
-- unsupported macro: VK_QCOM_rotated_copy_commands 1
-- unsupported macro: VK_QCOM_ROTATED_COPY_COMMANDS_SPEC_VERSION 0
-- unsupported macro: VK_QCOM_ROTATED_COPY_COMMANDS_EXTENSION_NAME "VK_QCOM_rotated_copy_commands"
-- unsupported macro: VK_EXT_image_robustness 1
-- unsupported macro: VK_EXT_IMAGE_ROBUSTNESS_SPEC_VERSION 1
-- unsupported macro: VK_EXT_IMAGE_ROBUSTNESS_EXTENSION_NAME "VK_EXT_image_robustness"
-- unsupported macro: VK_EXT_4444_formats 1
-- unsupported macro: VK_EXT_4444_FORMATS_SPEC_VERSION 1
-- unsupported macro: VK_EXT_4444_FORMATS_EXTENSION_NAME "VK_EXT_4444_formats"
-- unsupported macro: VK_NV_acquire_winrt_display 1
-- unsupported macro: VK_NV_ACQUIRE_WINRT_DISPLAY_SPEC_VERSION 1
-- unsupported macro: VK_NV_ACQUIRE_WINRT_DISPLAY_EXTENSION_NAME "VK_NV_acquire_winrt_display"
-- unsupported macro: VK_VALVE_mutable_descriptor_type 1
-- unsupported macro: VK_VALVE_MUTABLE_DESCRIPTOR_TYPE_SPEC_VERSION 1
-- unsupported macro: VK_VALVE_MUTABLE_DESCRIPTOR_TYPE_EXTENSION_NAME "VK_VALVE_mutable_descriptor_type"
-- unsupported macro: VK_KHR_acceleration_structure 1
-- unsupported macro: VK_KHR_ACCELERATION_STRUCTURE_SPEC_VERSION 11
-- unsupported macro: VK_KHR_ACCELERATION_STRUCTURE_EXTENSION_NAME "VK_KHR_acceleration_structure"
-- unsupported macro: VK_KHR_ray_tracing_pipeline 1
-- unsupported macro: VK_KHR_RAY_TRACING_PIPELINE_SPEC_VERSION 1
-- unsupported macro: VK_KHR_RAY_TRACING_PIPELINE_EXTENSION_NAME "VK_KHR_ray_tracing_pipeline"
-- unsupported macro: VK_KHR_ray_query 1
-- unsupported macro: VK_KHR_RAY_QUERY_SPEC_VERSION 1
-- unsupported macro: VK_KHR_RAY_QUERY_EXTENSION_NAME "VK_KHR_ray_query"
--** Copyright 2015-2021 The Khronos Group Inc.
--**
--** SPDX-License-Identifier: Apache-2.0
--
--** This header is generated from the Khronos Vulkan XML API Registry.
--**
--
-- DEPRECATED: This define has been removed. Specific version defines (e.g. VK_API_VERSION_1_0), or the VK_MAKE_VERSION macro, should be used instead.
--#define VK_API_VERSION VK_MAKE_VERSION(1, 0, 0) // Patch version should always be set to 0
-- Vulkan 1.0 version number
-- Version of this file
-- Complete version of this file
subtype VkBool32 is stdint_h.uint32_t; -- vulkan_core.h:57
subtype VkDeviceAddress is stdint_h.uint64_t; -- vulkan_core.h:58
subtype VkDeviceSize is stdint_h.uint64_t; -- vulkan_core.h:59
subtype VkFlags is stdint_h.uint32_t; -- vulkan_core.h:60
subtype VkSampleMask is stdint_h.uint32_t; -- vulkan_core.h:61
type VkBuffer is new System.Address; -- vulkan_core.h:62
-- skipped empty struct VkBuffer_T
type VkImage is new System.Address; -- vulkan_core.h:63
-- skipped empty struct VkImage_T
-- skipped empty struct VkInstance_T
type VkInstance is new System.Address; -- vulkan_core.h:64
type VkPhysicalDevice is new System.Address; -- vulkan_core.h:65
-- skipped empty struct VkPhysicalDevice_T
type VkDevice is new System.Address; -- vulkan_core.h:66
-- skipped empty struct VkDevice_T
type VkQueue is new System.Address; -- vulkan_core.h:67
-- skipped empty struct VkQueue_T
type VkSemaphore is new System.Address; -- vulkan_core.h:68
-- skipped empty struct VkSemaphore_T
-- skipped empty struct VkCommandBuffer_T
type VkCommandBuffer is new System.Address; -- vulkan_core.h:69
type VkFence is new System.Address; -- vulkan_core.h:70
-- skipped empty struct VkFence_T
type VkDeviceMemory is new System.Address; -- vulkan_core.h:71
-- skipped empty struct VkDeviceMemory_T
type VkEvent is new System.Address; -- vulkan_core.h:72
-- skipped empty struct VkEvent_T
type VkQueryPool is new System.Address; -- vulkan_core.h:73
-- skipped empty struct VkQueryPool_T
-- skipped empty struct VkBufferView_T
type VkBufferView is new System.Address; -- vulkan_core.h:74
type VkImageView is new System.Address; -- vulkan_core.h:75
-- skipped empty struct VkImageView_T
type VkShaderModule is new System.Address; -- vulkan_core.h:76
-- skipped empty struct VkShaderModule_T
type VkPipelineCache is new System.Address; -- vulkan_core.h:77
-- skipped empty struct VkPipelineCache_T
type VkPipelineLayout is new System.Address; -- vulkan_core.h:78
-- skipped empty struct VkPipelineLayout_T
-- skipped empty struct VkPipeline_T
type VkPipeline is new System.Address; -- vulkan_core.h:79
type VkRenderPass is new System.Address; -- vulkan_core.h:80
-- skipped empty struct VkRenderPass_T
type VkDescriptorSetLayout is new System.Address; -- vulkan_core.h:81
-- skipped empty struct VkDescriptorSetLayout_T
type VkSampler is new System.Address; -- vulkan_core.h:82
-- skipped empty struct VkSampler_T
type VkDescriptorSet is new System.Address; -- vulkan_core.h:83
-- skipped empty struct VkDescriptorSet_T
-- skipped empty struct VkDescriptorPool_T
type VkDescriptorPool is new System.Address; -- vulkan_core.h:84
type VkFramebuffer is new System.Address; -- vulkan_core.h:85
-- skipped empty struct VkFramebuffer_T
type VkCommandPool is new System.Address; -- vulkan_core.h:86
-- skipped empty struct VkCommandPool_T
subtype VkResult is unsigned;
VK_SUCCESS : constant VkResult := 0;
VK_NOT_READY : constant VkResult := 1;
VK_TIMEOUT : constant VkResult := 2;
VK_EVENT_SET : constant VkResult := 3;
VK_EVENT_RESET : constant VkResult := 4;
VK_INCOMPLETE : constant VkResult := 5;
VK_ERROR_OUT_OF_HOST_MEMORY : constant VkResult := -1;
VK_ERROR_OUT_OF_DEVICE_MEMORY : constant VkResult := -2;
VK_ERROR_INITIALIZATION_FAILED : constant VkResult := -3;
VK_ERROR_DEVICE_LOST : constant VkResult := -4;
VK_ERROR_MEMORY_MAP_FAILED : constant VkResult := -5;
VK_ERROR_LAYER_NOT_PRESENT : constant VkResult := -6;
VK_ERROR_EXTENSION_NOT_PRESENT : constant VkResult := -7;
VK_ERROR_FEATURE_NOT_PRESENT : constant VkResult := -8;
VK_ERROR_INCOMPATIBLE_DRIVER : constant VkResult := -9;
VK_ERROR_TOO_MANY_OBJECTS : constant VkResult := -10;
VK_ERROR_FORMAT_NOT_SUPPORTED : constant VkResult := -11;
VK_ERROR_FRAGMENTED_POOL : constant VkResult := -12;
VK_ERROR_UNKNOWN : constant VkResult := -13;
VK_ERROR_OUT_OF_POOL_MEMORY : constant VkResult := -1000069000;
VK_ERROR_INVALID_EXTERNAL_HANDLE : constant VkResult := -1000072003;
VK_ERROR_FRAGMENTATION : constant VkResult := -1000161000;
VK_ERROR_INVALID_OPAQUE_CAPTURE_ADDRESS : constant VkResult := -1000257000;
VK_ERROR_SURFACE_LOST_KHR : constant VkResult := -1000000000;
VK_ERROR_NATIVE_WINDOW_IN_USE_KHR : constant VkResult := -1000000001;
VK_SUBOPTIMAL_KHR : constant VkResult := 1000001003;
VK_ERROR_OUT_OF_DATE_KHR : constant VkResult := -1000001004;
VK_ERROR_INCOMPATIBLE_DISPLAY_KHR : constant VkResult := -1000003001;
VK_ERROR_VALIDATION_FAILED_EXT : constant VkResult := -1000011001;
VK_ERROR_INVALID_SHADER_NV : constant VkResult := -1000012000;
VK_ERROR_INVALID_DRM_FORMAT_MODIFIER_PLANE_LAYOUT_EXT : constant VkResult := -1000158000;
VK_ERROR_NOT_PERMITTED_EXT : constant VkResult := -1000174001;
VK_ERROR_FULL_SCREEN_EXCLUSIVE_MODE_LOST_EXT : constant VkResult := -1000255000;
VK_THREAD_IDLE_KHR : constant VkResult := 1000268000;
VK_THREAD_DONE_KHR : constant VkResult := 1000268001;
VK_OPERATION_DEFERRED_KHR : constant VkResult := 1000268002;
VK_OPERATION_NOT_DEFERRED_KHR : constant VkResult := 1000268003;
VK_PIPELINE_COMPILE_REQUIRED_EXT : constant VkResult := 1000297000;
VK_ERROR_OUT_OF_POOL_MEMORY_KHR : constant VkResult := -1000069000;
VK_ERROR_INVALID_EXTERNAL_HANDLE_KHR : constant VkResult := -1000072003;
VK_ERROR_FRAGMENTATION_EXT : constant VkResult := -1000161000;
VK_ERROR_INVALID_DEVICE_ADDRESS_EXT : constant VkResult := -1000257000;
VK_ERROR_INVALID_OPAQUE_CAPTURE_ADDRESS_KHR : constant VkResult := -1000257000;
VK_ERROR_PIPELINE_COMPILE_REQUIRED_EXT : constant VkResult := 1000297000;
VK_RESULT_MAX_ENUM : constant VkResult := 2147483647; -- vulkan_core.h:103
subtype VkStructureType is unsigned;
VK_STRUCTURE_TYPE_APPLICATION_INFO : constant VkStructureType := 0;
VK_STRUCTURE_TYPE_INSTANCE_CREATE_INFO : constant VkStructureType := 1;
VK_STRUCTURE_TYPE_DEVICE_QUEUE_CREATE_INFO : constant VkStructureType := 2;
VK_STRUCTURE_TYPE_DEVICE_CREATE_INFO : constant VkStructureType := 3;
VK_STRUCTURE_TYPE_SUBMIT_INFO : constant VkStructureType := 4;
VK_STRUCTURE_TYPE_MEMORY_ALLOCATE_INFO : constant VkStructureType := 5;
VK_STRUCTURE_TYPE_MAPPED_MEMORY_RANGE : constant VkStructureType := 6;
VK_STRUCTURE_TYPE_BIND_SPARSE_INFO : constant VkStructureType := 7;
VK_STRUCTURE_TYPE_FENCE_CREATE_INFO : constant VkStructureType := 8;
VK_STRUCTURE_TYPE_SEMAPHORE_CREATE_INFO : constant VkStructureType := 9;
VK_STRUCTURE_TYPE_EVENT_CREATE_INFO : constant VkStructureType := 10;
VK_STRUCTURE_TYPE_QUERY_POOL_CREATE_INFO : constant VkStructureType := 11;
VK_STRUCTURE_TYPE_BUFFER_CREATE_INFO : constant VkStructureType := 12;
VK_STRUCTURE_TYPE_BUFFER_VIEW_CREATE_INFO : constant VkStructureType := 13;
VK_STRUCTURE_TYPE_IMAGE_CREATE_INFO : constant VkStructureType := 14;
VK_STRUCTURE_TYPE_IMAGE_VIEW_CREATE_INFO : constant VkStructureType := 15;
VK_STRUCTURE_TYPE_SHADER_MODULE_CREATE_INFO : constant VkStructureType := 16;
VK_STRUCTURE_TYPE_PIPELINE_CACHE_CREATE_INFO : constant VkStructureType := 17;
VK_STRUCTURE_TYPE_PIPELINE_SHADER_STAGE_CREATE_INFO : constant VkStructureType := 18;
VK_STRUCTURE_TYPE_PIPELINE_VERTEX_INPUT_STATE_CREATE_INFO : constant VkStructureType := 19;
VK_STRUCTURE_TYPE_PIPELINE_INPUT_ASSEMBLY_STATE_CREATE_INFO : constant VkStructureType := 20;
VK_STRUCTURE_TYPE_PIPELINE_TESSELLATION_STATE_CREATE_INFO : constant VkStructureType := 21;
VK_STRUCTURE_TYPE_PIPELINE_VIEWPORT_STATE_CREATE_INFO : constant VkStructureType := 22;
VK_STRUCTURE_TYPE_PIPELINE_RASTERIZATION_STATE_CREATE_INFO : constant VkStructureType := 23;
VK_STRUCTURE_TYPE_PIPELINE_MULTISAMPLE_STATE_CREATE_INFO : constant VkStructureType := 24;
VK_STRUCTURE_TYPE_PIPELINE_DEPTH_STENCIL_STATE_CREATE_INFO : constant VkStructureType := 25;
VK_STRUCTURE_TYPE_PIPELINE_COLOR_BLEND_STATE_CREATE_INFO : constant VkStructureType := 26;
VK_STRUCTURE_TYPE_PIPELINE_DYNAMIC_STATE_CREATE_INFO : constant VkStructureType := 27;
VK_STRUCTURE_TYPE_GRAPHICS_PIPELINE_CREATE_INFO : constant VkStructureType := 28;
VK_STRUCTURE_TYPE_COMPUTE_PIPELINE_CREATE_INFO : constant VkStructureType := 29;
VK_STRUCTURE_TYPE_PIPELINE_LAYOUT_CREATE_INFO : constant VkStructureType := 30;
VK_STRUCTURE_TYPE_SAMPLER_CREATE_INFO : constant VkStructureType := 31;
VK_STRUCTURE_TYPE_DESCRIPTOR_SET_LAYOUT_CREATE_INFO : constant VkStructureType := 32;
VK_STRUCTURE_TYPE_DESCRIPTOR_POOL_CREATE_INFO : constant VkStructureType := 33;
VK_STRUCTURE_TYPE_DESCRIPTOR_SET_ALLOCATE_INFO : constant VkStructureType := 34;
VK_STRUCTURE_TYPE_WRITE_DESCRIPTOR_SET : constant VkStructureType := 35;
VK_STRUCTURE_TYPE_COPY_DESCRIPTOR_SET : constant VkStructureType := 36;
VK_STRUCTURE_TYPE_FRAMEBUFFER_CREATE_INFO : constant VkStructureType := 37;
VK_STRUCTURE_TYPE_RENDER_PASS_CREATE_INFO : constant VkStructureType := 38;
VK_STRUCTURE_TYPE_COMMAND_POOL_CREATE_INFO : constant VkStructureType := 39;
VK_STRUCTURE_TYPE_COMMAND_BUFFER_ALLOCATE_INFO : constant VkStructureType := 40;
VK_STRUCTURE_TYPE_COMMAND_BUFFER_INHERITANCE_INFO : constant VkStructureType := 41;
VK_STRUCTURE_TYPE_COMMAND_BUFFER_BEGIN_INFO : constant VkStructureType := 42;
VK_STRUCTURE_TYPE_RENDER_PASS_BEGIN_INFO : constant VkStructureType := 43;
VK_STRUCTURE_TYPE_BUFFER_MEMORY_BARRIER : constant VkStructureType := 44;
VK_STRUCTURE_TYPE_IMAGE_MEMORY_BARRIER : constant VkStructureType := 45;
VK_STRUCTURE_TYPE_MEMORY_BARRIER : constant VkStructureType := 46;
VK_STRUCTURE_TYPE_LOADER_INSTANCE_CREATE_INFO : constant VkStructureType := 47;
VK_STRUCTURE_TYPE_LOADER_DEVICE_CREATE_INFO : constant VkStructureType := 48;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SUBGROUP_PROPERTIES : constant VkStructureType := 1000094000;
VK_STRUCTURE_TYPE_BIND_BUFFER_MEMORY_INFO : constant VkStructureType := 1000157000;
VK_STRUCTURE_TYPE_BIND_IMAGE_MEMORY_INFO : constant VkStructureType := 1000157001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_16BIT_STORAGE_FEATURES : constant VkStructureType := 1000083000;
VK_STRUCTURE_TYPE_MEMORY_DEDICATED_REQUIREMENTS : constant VkStructureType := 1000127000;
VK_STRUCTURE_TYPE_MEMORY_DEDICATED_ALLOCATE_INFO : constant VkStructureType := 1000127001;
VK_STRUCTURE_TYPE_MEMORY_ALLOCATE_FLAGS_INFO : constant VkStructureType := 1000060000;
VK_STRUCTURE_TYPE_DEVICE_GROUP_RENDER_PASS_BEGIN_INFO : constant VkStructureType := 1000060003;
VK_STRUCTURE_TYPE_DEVICE_GROUP_COMMAND_BUFFER_BEGIN_INFO : constant VkStructureType := 1000060004;
VK_STRUCTURE_TYPE_DEVICE_GROUP_SUBMIT_INFO : constant VkStructureType := 1000060005;
VK_STRUCTURE_TYPE_DEVICE_GROUP_BIND_SPARSE_INFO : constant VkStructureType := 1000060006;
VK_STRUCTURE_TYPE_BIND_BUFFER_MEMORY_DEVICE_GROUP_INFO : constant VkStructureType := 1000060013;
VK_STRUCTURE_TYPE_BIND_IMAGE_MEMORY_DEVICE_GROUP_INFO : constant VkStructureType := 1000060014;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_GROUP_PROPERTIES : constant VkStructureType := 1000070000;
VK_STRUCTURE_TYPE_DEVICE_GROUP_DEVICE_CREATE_INFO : constant VkStructureType := 1000070001;
VK_STRUCTURE_TYPE_BUFFER_MEMORY_REQUIREMENTS_INFO_2 : constant VkStructureType := 1000146000;
VK_STRUCTURE_TYPE_IMAGE_MEMORY_REQUIREMENTS_INFO_2 : constant VkStructureType := 1000146001;
VK_STRUCTURE_TYPE_IMAGE_SPARSE_MEMORY_REQUIREMENTS_INFO_2 : constant VkStructureType := 1000146002;
VK_STRUCTURE_TYPE_MEMORY_REQUIREMENTS_2 : constant VkStructureType := 1000146003;
VK_STRUCTURE_TYPE_SPARSE_IMAGE_MEMORY_REQUIREMENTS_2 : constant VkStructureType := 1000146004;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_FEATURES_2 : constant VkStructureType := 1000059000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_PROPERTIES_2 : constant VkStructureType := 1000059001;
VK_STRUCTURE_TYPE_FORMAT_PROPERTIES_2 : constant VkStructureType := 1000059002;
VK_STRUCTURE_TYPE_IMAGE_FORMAT_PROPERTIES_2 : constant VkStructureType := 1000059003;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_IMAGE_FORMAT_INFO_2 : constant VkStructureType := 1000059004;
VK_STRUCTURE_TYPE_QUEUE_FAMILY_PROPERTIES_2 : constant VkStructureType := 1000059005;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_MEMORY_PROPERTIES_2 : constant VkStructureType := 1000059006;
VK_STRUCTURE_TYPE_SPARSE_IMAGE_FORMAT_PROPERTIES_2 : constant VkStructureType := 1000059007;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SPARSE_IMAGE_FORMAT_INFO_2 : constant VkStructureType := 1000059008;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_POINT_CLIPPING_PROPERTIES : constant VkStructureType := 1000117000;
VK_STRUCTURE_TYPE_RENDER_PASS_INPUT_ATTACHMENT_ASPECT_CREATE_INFO : constant VkStructureType := 1000117001;
VK_STRUCTURE_TYPE_IMAGE_VIEW_USAGE_CREATE_INFO : constant VkStructureType := 1000117002;
VK_STRUCTURE_TYPE_PIPELINE_TESSELLATION_DOMAIN_ORIGIN_STATE_CREATE_INFO : constant VkStructureType := 1000117003;
VK_STRUCTURE_TYPE_RENDER_PASS_MULTIVIEW_CREATE_INFO : constant VkStructureType := 1000053000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_MULTIVIEW_FEATURES : constant VkStructureType := 1000053001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_MULTIVIEW_PROPERTIES : constant VkStructureType := 1000053002;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_VARIABLE_POINTERS_FEATURES : constant VkStructureType := 1000120000;
VK_STRUCTURE_TYPE_PROTECTED_SUBMIT_INFO : constant VkStructureType := 1000145000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_PROTECTED_MEMORY_FEATURES : constant VkStructureType := 1000145001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_PROTECTED_MEMORY_PROPERTIES : constant VkStructureType := 1000145002;
VK_STRUCTURE_TYPE_DEVICE_QUEUE_INFO_2 : constant VkStructureType := 1000145003;
VK_STRUCTURE_TYPE_SAMPLER_YCBCR_CONVERSION_CREATE_INFO : constant VkStructureType := 1000156000;
VK_STRUCTURE_TYPE_SAMPLER_YCBCR_CONVERSION_INFO : constant VkStructureType := 1000156001;
VK_STRUCTURE_TYPE_BIND_IMAGE_PLANE_MEMORY_INFO : constant VkStructureType := 1000156002;
VK_STRUCTURE_TYPE_IMAGE_PLANE_MEMORY_REQUIREMENTS_INFO : constant VkStructureType := 1000156003;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SAMPLER_YCBCR_CONVERSION_FEATURES : constant VkStructureType := 1000156004;
VK_STRUCTURE_TYPE_SAMPLER_YCBCR_CONVERSION_IMAGE_FORMAT_PROPERTIES : constant VkStructureType := 1000156005;
VK_STRUCTURE_TYPE_DESCRIPTOR_UPDATE_TEMPLATE_CREATE_INFO : constant VkStructureType := 1000085000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_EXTERNAL_IMAGE_FORMAT_INFO : constant VkStructureType := 1000071000;
VK_STRUCTURE_TYPE_EXTERNAL_IMAGE_FORMAT_PROPERTIES : constant VkStructureType := 1000071001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_EXTERNAL_BUFFER_INFO : constant VkStructureType := 1000071002;
VK_STRUCTURE_TYPE_EXTERNAL_BUFFER_PROPERTIES : constant VkStructureType := 1000071003;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_ID_PROPERTIES : constant VkStructureType := 1000071004;
VK_STRUCTURE_TYPE_EXTERNAL_MEMORY_BUFFER_CREATE_INFO : constant VkStructureType := 1000072000;
VK_STRUCTURE_TYPE_EXTERNAL_MEMORY_IMAGE_CREATE_INFO : constant VkStructureType := 1000072001;
VK_STRUCTURE_TYPE_EXPORT_MEMORY_ALLOCATE_INFO : constant VkStructureType := 1000072002;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_EXTERNAL_FENCE_INFO : constant VkStructureType := 1000112000;
VK_STRUCTURE_TYPE_EXTERNAL_FENCE_PROPERTIES : constant VkStructureType := 1000112001;
VK_STRUCTURE_TYPE_EXPORT_FENCE_CREATE_INFO : constant VkStructureType := 1000113000;
VK_STRUCTURE_TYPE_EXPORT_SEMAPHORE_CREATE_INFO : constant VkStructureType := 1000077000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_EXTERNAL_SEMAPHORE_INFO : constant VkStructureType := 1000076000;
VK_STRUCTURE_TYPE_EXTERNAL_SEMAPHORE_PROPERTIES : constant VkStructureType := 1000076001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_MAINTENANCE_3_PROPERTIES : constant VkStructureType := 1000168000;
VK_STRUCTURE_TYPE_DESCRIPTOR_SET_LAYOUT_SUPPORT : constant VkStructureType := 1000168001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SHADER_DRAW_PARAMETERS_FEATURES : constant VkStructureType := 1000063000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_VULKAN_1_1_FEATURES : constant VkStructureType := 49;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_VULKAN_1_1_PROPERTIES : constant VkStructureType := 50;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_VULKAN_1_2_FEATURES : constant VkStructureType := 51;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_VULKAN_1_2_PROPERTIES : constant VkStructureType := 52;
VK_STRUCTURE_TYPE_IMAGE_FORMAT_LIST_CREATE_INFO : constant VkStructureType := 1000147000;
VK_STRUCTURE_TYPE_ATTACHMENT_DESCRIPTION_2 : constant VkStructureType := 1000109000;
VK_STRUCTURE_TYPE_ATTACHMENT_REFERENCE_2 : constant VkStructureType := 1000109001;
VK_STRUCTURE_TYPE_SUBPASS_DESCRIPTION_2 : constant VkStructureType := 1000109002;
VK_STRUCTURE_TYPE_SUBPASS_DEPENDENCY_2 : constant VkStructureType := 1000109003;
VK_STRUCTURE_TYPE_RENDER_PASS_CREATE_INFO_2 : constant VkStructureType := 1000109004;
VK_STRUCTURE_TYPE_SUBPASS_BEGIN_INFO : constant VkStructureType := 1000109005;
VK_STRUCTURE_TYPE_SUBPASS_END_INFO : constant VkStructureType := 1000109006;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_8BIT_STORAGE_FEATURES : constant VkStructureType := 1000177000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_DRIVER_PROPERTIES : constant VkStructureType := 1000196000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SHADER_ATOMIC_INT64_FEATURES : constant VkStructureType := 1000180000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SHADER_FLOAT16_INT8_FEATURES : constant VkStructureType := 1000082000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_FLOAT_CONTROLS_PROPERTIES : constant VkStructureType := 1000197000;
VK_STRUCTURE_TYPE_DESCRIPTOR_SET_LAYOUT_BINDING_FLAGS_CREATE_INFO : constant VkStructureType := 1000161000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_DESCRIPTOR_INDEXING_FEATURES : constant VkStructureType := 1000161001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_DESCRIPTOR_INDEXING_PROPERTIES : constant VkStructureType := 1000161002;
VK_STRUCTURE_TYPE_DESCRIPTOR_SET_VARIABLE_DESCRIPTOR_COUNT_ALLOCATE_INFO : constant VkStructureType := 1000161003;
VK_STRUCTURE_TYPE_DESCRIPTOR_SET_VARIABLE_DESCRIPTOR_COUNT_LAYOUT_SUPPORT : constant VkStructureType := 1000161004;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_DEPTH_STENCIL_RESOLVE_PROPERTIES : constant VkStructureType := 1000199000;
VK_STRUCTURE_TYPE_SUBPASS_DESCRIPTION_DEPTH_STENCIL_RESOLVE : constant VkStructureType := 1000199001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SCALAR_BLOCK_LAYOUT_FEATURES : constant VkStructureType := 1000221000;
VK_STRUCTURE_TYPE_IMAGE_STENCIL_USAGE_CREATE_INFO : constant VkStructureType := 1000246000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SAMPLER_FILTER_MINMAX_PROPERTIES : constant VkStructureType := 1000130000;
VK_STRUCTURE_TYPE_SAMPLER_REDUCTION_MODE_CREATE_INFO : constant VkStructureType := 1000130001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_VULKAN_MEMORY_MODEL_FEATURES : constant VkStructureType := 1000211000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_IMAGELESS_FRAMEBUFFER_FEATURES : constant VkStructureType := 1000108000;
VK_STRUCTURE_TYPE_FRAMEBUFFER_ATTACHMENTS_CREATE_INFO : constant VkStructureType := 1000108001;
VK_STRUCTURE_TYPE_FRAMEBUFFER_ATTACHMENT_IMAGE_INFO : constant VkStructureType := 1000108002;
VK_STRUCTURE_TYPE_RENDER_PASS_ATTACHMENT_BEGIN_INFO : constant VkStructureType := 1000108003;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_UNIFORM_BUFFER_STANDARD_LAYOUT_FEATURES : constant VkStructureType := 1000253000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SHADER_SUBGROUP_EXTENDED_TYPES_FEATURES : constant VkStructureType := 1000175000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SEPARATE_DEPTH_STENCIL_LAYOUTS_FEATURES : constant VkStructureType := 1000241000;
VK_STRUCTURE_TYPE_ATTACHMENT_REFERENCE_STENCIL_LAYOUT : constant VkStructureType := 1000241001;
VK_STRUCTURE_TYPE_ATTACHMENT_DESCRIPTION_STENCIL_LAYOUT : constant VkStructureType := 1000241002;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_HOST_QUERY_RESET_FEATURES : constant VkStructureType := 1000261000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_TIMELINE_SEMAPHORE_FEATURES : constant VkStructureType := 1000207000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_TIMELINE_SEMAPHORE_PROPERTIES : constant VkStructureType := 1000207001;
VK_STRUCTURE_TYPE_SEMAPHORE_TYPE_CREATE_INFO : constant VkStructureType := 1000207002;
VK_STRUCTURE_TYPE_TIMELINE_SEMAPHORE_SUBMIT_INFO : constant VkStructureType := 1000207003;
VK_STRUCTURE_TYPE_SEMAPHORE_WAIT_INFO : constant VkStructureType := 1000207004;
VK_STRUCTURE_TYPE_SEMAPHORE_SIGNAL_INFO : constant VkStructureType := 1000207005;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_BUFFER_DEVICE_ADDRESS_FEATURES : constant VkStructureType := 1000257000;
VK_STRUCTURE_TYPE_BUFFER_DEVICE_ADDRESS_INFO : constant VkStructureType := 1000244001;
VK_STRUCTURE_TYPE_BUFFER_OPAQUE_CAPTURE_ADDRESS_CREATE_INFO : constant VkStructureType := 1000257002;
VK_STRUCTURE_TYPE_MEMORY_OPAQUE_CAPTURE_ADDRESS_ALLOCATE_INFO : constant VkStructureType := 1000257003;
VK_STRUCTURE_TYPE_DEVICE_MEMORY_OPAQUE_CAPTURE_ADDRESS_INFO : constant VkStructureType := 1000257004;
VK_STRUCTURE_TYPE_SWAPCHAIN_CREATE_INFO_KHR : constant VkStructureType := 1000001000;
VK_STRUCTURE_TYPE_PRESENT_INFO_KHR : constant VkStructureType := 1000001001;
VK_STRUCTURE_TYPE_DEVICE_GROUP_PRESENT_CAPABILITIES_KHR : constant VkStructureType := 1000060007;
VK_STRUCTURE_TYPE_IMAGE_SWAPCHAIN_CREATE_INFO_KHR : constant VkStructureType := 1000060008;
VK_STRUCTURE_TYPE_BIND_IMAGE_MEMORY_SWAPCHAIN_INFO_KHR : constant VkStructureType := 1000060009;
VK_STRUCTURE_TYPE_ACQUIRE_NEXT_IMAGE_INFO_KHR : constant VkStructureType := 1000060010;
VK_STRUCTURE_TYPE_DEVICE_GROUP_PRESENT_INFO_KHR : constant VkStructureType := 1000060011;
VK_STRUCTURE_TYPE_DEVICE_GROUP_SWAPCHAIN_CREATE_INFO_KHR : constant VkStructureType := 1000060012;
VK_STRUCTURE_TYPE_DISPLAY_MODE_CREATE_INFO_KHR : constant VkStructureType := 1000002000;
VK_STRUCTURE_TYPE_DISPLAY_SURFACE_CREATE_INFO_KHR : constant VkStructureType := 1000002001;
VK_STRUCTURE_TYPE_DISPLAY_PRESENT_INFO_KHR : constant VkStructureType := 1000003000;
VK_STRUCTURE_TYPE_XLIB_SURFACE_CREATE_INFO_KHR : constant VkStructureType := 1000004000;
VK_STRUCTURE_TYPE_XCB_SURFACE_CREATE_INFO_KHR : constant VkStructureType := 1000005000;
VK_STRUCTURE_TYPE_WAYLAND_SURFACE_CREATE_INFO_KHR : constant VkStructureType := 1000006000;
VK_STRUCTURE_TYPE_ANDROID_SURFACE_CREATE_INFO_KHR : constant VkStructureType := 1000008000;
VK_STRUCTURE_TYPE_WIN32_SURFACE_CREATE_INFO_KHR : constant VkStructureType := 1000009000;
VK_STRUCTURE_TYPE_DEBUG_REPORT_CALLBACK_CREATE_INFO_EXT : constant VkStructureType := 1000011000;
VK_STRUCTURE_TYPE_PIPELINE_RASTERIZATION_STATE_RASTERIZATION_ORDER_AMD : constant VkStructureType := 1000018000;
VK_STRUCTURE_TYPE_DEBUG_MARKER_OBJECT_NAME_INFO_EXT : constant VkStructureType := 1000022000;
VK_STRUCTURE_TYPE_DEBUG_MARKER_OBJECT_TAG_INFO_EXT : constant VkStructureType := 1000022001;
VK_STRUCTURE_TYPE_DEBUG_MARKER_MARKER_INFO_EXT : constant VkStructureType := 1000022002;
VK_STRUCTURE_TYPE_DEDICATED_ALLOCATION_IMAGE_CREATE_INFO_NV : constant VkStructureType := 1000026000;
VK_STRUCTURE_TYPE_DEDICATED_ALLOCATION_BUFFER_CREATE_INFO_NV : constant VkStructureType := 1000026001;
VK_STRUCTURE_TYPE_DEDICATED_ALLOCATION_MEMORY_ALLOCATE_INFO_NV : constant VkStructureType := 1000026002;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_TRANSFORM_FEEDBACK_FEATURES_EXT : constant VkStructureType := 1000028000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_TRANSFORM_FEEDBACK_PROPERTIES_EXT : constant VkStructureType := 1000028001;
VK_STRUCTURE_TYPE_PIPELINE_RASTERIZATION_STATE_STREAM_CREATE_INFO_EXT : constant VkStructureType := 1000028002;
VK_STRUCTURE_TYPE_IMAGE_VIEW_HANDLE_INFO_NVX : constant VkStructureType := 1000030000;
VK_STRUCTURE_TYPE_IMAGE_VIEW_ADDRESS_PROPERTIES_NVX : constant VkStructureType := 1000030001;
VK_STRUCTURE_TYPE_TEXTURE_LOD_GATHER_FORMAT_PROPERTIES_AMD : constant VkStructureType := 1000041000;
VK_STRUCTURE_TYPE_STREAM_DESCRIPTOR_SURFACE_CREATE_INFO_GGP : constant VkStructureType := 1000049000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_CORNER_SAMPLED_IMAGE_FEATURES_NV : constant VkStructureType := 1000050000;
VK_STRUCTURE_TYPE_EXTERNAL_MEMORY_IMAGE_CREATE_INFO_NV : constant VkStructureType := 1000056000;
VK_STRUCTURE_TYPE_EXPORT_MEMORY_ALLOCATE_INFO_NV : constant VkStructureType := 1000056001;
VK_STRUCTURE_TYPE_IMPORT_MEMORY_WIN32_HANDLE_INFO_NV : constant VkStructureType := 1000057000;
VK_STRUCTURE_TYPE_EXPORT_MEMORY_WIN32_HANDLE_INFO_NV : constant VkStructureType := 1000057001;
VK_STRUCTURE_TYPE_WIN32_KEYED_MUTEX_ACQUIRE_RELEASE_INFO_NV : constant VkStructureType := 1000058000;
VK_STRUCTURE_TYPE_VALIDATION_FLAGS_EXT : constant VkStructureType := 1000061000;
VK_STRUCTURE_TYPE_VI_SURFACE_CREATE_INFO_NN : constant VkStructureType := 1000062000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_TEXTURE_COMPRESSION_ASTC_HDR_FEATURES_EXT : constant VkStructureType := 1000066000;
VK_STRUCTURE_TYPE_IMAGE_VIEW_ASTC_DECODE_MODE_EXT : constant VkStructureType := 1000067000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_ASTC_DECODE_FEATURES_EXT : constant VkStructureType := 1000067001;
VK_STRUCTURE_TYPE_IMPORT_MEMORY_WIN32_HANDLE_INFO_KHR : constant VkStructureType := 1000073000;
VK_STRUCTURE_TYPE_EXPORT_MEMORY_WIN32_HANDLE_INFO_KHR : constant VkStructureType := 1000073001;
VK_STRUCTURE_TYPE_MEMORY_WIN32_HANDLE_PROPERTIES_KHR : constant VkStructureType := 1000073002;
VK_STRUCTURE_TYPE_MEMORY_GET_WIN32_HANDLE_INFO_KHR : constant VkStructureType := 1000073003;
VK_STRUCTURE_TYPE_IMPORT_MEMORY_FD_INFO_KHR : constant VkStructureType := 1000074000;
VK_STRUCTURE_TYPE_MEMORY_FD_PROPERTIES_KHR : constant VkStructureType := 1000074001;
VK_STRUCTURE_TYPE_MEMORY_GET_FD_INFO_KHR : constant VkStructureType := 1000074002;
VK_STRUCTURE_TYPE_WIN32_KEYED_MUTEX_ACQUIRE_RELEASE_INFO_KHR : constant VkStructureType := 1000075000;
VK_STRUCTURE_TYPE_IMPORT_SEMAPHORE_WIN32_HANDLE_INFO_KHR : constant VkStructureType := 1000078000;
VK_STRUCTURE_TYPE_EXPORT_SEMAPHORE_WIN32_HANDLE_INFO_KHR : constant VkStructureType := 1000078001;
VK_STRUCTURE_TYPE_D3D12_FENCE_SUBMIT_INFO_KHR : constant VkStructureType := 1000078002;
VK_STRUCTURE_TYPE_SEMAPHORE_GET_WIN32_HANDLE_INFO_KHR : constant VkStructureType := 1000078003;
VK_STRUCTURE_TYPE_IMPORT_SEMAPHORE_FD_INFO_KHR : constant VkStructureType := 1000079000;
VK_STRUCTURE_TYPE_SEMAPHORE_GET_FD_INFO_KHR : constant VkStructureType := 1000079001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_PUSH_DESCRIPTOR_PROPERTIES_KHR : constant VkStructureType := 1000080000;
VK_STRUCTURE_TYPE_COMMAND_BUFFER_INHERITANCE_CONDITIONAL_RENDERING_INFO_EXT : constant VkStructureType := 1000081000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_CONDITIONAL_RENDERING_FEATURES_EXT : constant VkStructureType := 1000081001;
VK_STRUCTURE_TYPE_CONDITIONAL_RENDERING_BEGIN_INFO_EXT : constant VkStructureType := 1000081002;
VK_STRUCTURE_TYPE_PRESENT_REGIONS_KHR : constant VkStructureType := 1000084000;
VK_STRUCTURE_TYPE_PIPELINE_VIEWPORT_W_SCALING_STATE_CREATE_INFO_NV : constant VkStructureType := 1000087000;
VK_STRUCTURE_TYPE_SURFACE_CAPABILITIES_2_EXT : constant VkStructureType := 1000090000;
VK_STRUCTURE_TYPE_DISPLAY_POWER_INFO_EXT : constant VkStructureType := 1000091000;
VK_STRUCTURE_TYPE_DEVICE_EVENT_INFO_EXT : constant VkStructureType := 1000091001;
VK_STRUCTURE_TYPE_DISPLAY_EVENT_INFO_EXT : constant VkStructureType := 1000091002;
VK_STRUCTURE_TYPE_SWAPCHAIN_COUNTER_CREATE_INFO_EXT : constant VkStructureType := 1000091003;
VK_STRUCTURE_TYPE_PRESENT_TIMES_INFO_GOOGLE : constant VkStructureType := 1000092000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_MULTIVIEW_PER_VIEW_ATTRIBUTES_PROPERTIES_NVX : constant VkStructureType := 1000097000;
VK_STRUCTURE_TYPE_PIPELINE_VIEWPORT_SWIZZLE_STATE_CREATE_INFO_NV : constant VkStructureType := 1000098000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_DISCARD_RECTANGLE_PROPERTIES_EXT : constant VkStructureType := 1000099000;
VK_STRUCTURE_TYPE_PIPELINE_DISCARD_RECTANGLE_STATE_CREATE_INFO_EXT : constant VkStructureType := 1000099001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_CONSERVATIVE_RASTERIZATION_PROPERTIES_EXT : constant VkStructureType := 1000101000;
VK_STRUCTURE_TYPE_PIPELINE_RASTERIZATION_CONSERVATIVE_STATE_CREATE_INFO_EXT : constant VkStructureType := 1000101001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_DEPTH_CLIP_ENABLE_FEATURES_EXT : constant VkStructureType := 1000102000;
VK_STRUCTURE_TYPE_PIPELINE_RASTERIZATION_DEPTH_CLIP_STATE_CREATE_INFO_EXT : constant VkStructureType := 1000102001;
VK_STRUCTURE_TYPE_HDR_METADATA_EXT : constant VkStructureType := 1000105000;
VK_STRUCTURE_TYPE_SHARED_PRESENT_SURFACE_CAPABILITIES_KHR : constant VkStructureType := 1000111000;
VK_STRUCTURE_TYPE_IMPORT_FENCE_WIN32_HANDLE_INFO_KHR : constant VkStructureType := 1000114000;
VK_STRUCTURE_TYPE_EXPORT_FENCE_WIN32_HANDLE_INFO_KHR : constant VkStructureType := 1000114001;
VK_STRUCTURE_TYPE_FENCE_GET_WIN32_HANDLE_INFO_KHR : constant VkStructureType := 1000114002;
VK_STRUCTURE_TYPE_IMPORT_FENCE_FD_INFO_KHR : constant VkStructureType := 1000115000;
VK_STRUCTURE_TYPE_FENCE_GET_FD_INFO_KHR : constant VkStructureType := 1000115001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_PERFORMANCE_QUERY_FEATURES_KHR : constant VkStructureType := 1000116000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_PERFORMANCE_QUERY_PROPERTIES_KHR : constant VkStructureType := 1000116001;
VK_STRUCTURE_TYPE_QUERY_POOL_PERFORMANCE_CREATE_INFO_KHR : constant VkStructureType := 1000116002;
VK_STRUCTURE_TYPE_PERFORMANCE_QUERY_SUBMIT_INFO_KHR : constant VkStructureType := 1000116003;
VK_STRUCTURE_TYPE_ACQUIRE_PROFILING_LOCK_INFO_KHR : constant VkStructureType := 1000116004;
VK_STRUCTURE_TYPE_PERFORMANCE_COUNTER_KHR : constant VkStructureType := 1000116005;
VK_STRUCTURE_TYPE_PERFORMANCE_COUNTER_DESCRIPTION_KHR : constant VkStructureType := 1000116006;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SURFACE_INFO_2_KHR : constant VkStructureType := 1000119000;
VK_STRUCTURE_TYPE_SURFACE_CAPABILITIES_2_KHR : constant VkStructureType := 1000119001;
VK_STRUCTURE_TYPE_SURFACE_FORMAT_2_KHR : constant VkStructureType := 1000119002;
VK_STRUCTURE_TYPE_DISPLAY_PROPERTIES_2_KHR : constant VkStructureType := 1000121000;
VK_STRUCTURE_TYPE_DISPLAY_PLANE_PROPERTIES_2_KHR : constant VkStructureType := 1000121001;
VK_STRUCTURE_TYPE_DISPLAY_MODE_PROPERTIES_2_KHR : constant VkStructureType := 1000121002;
VK_STRUCTURE_TYPE_DISPLAY_PLANE_INFO_2_KHR : constant VkStructureType := 1000121003;
VK_STRUCTURE_TYPE_DISPLAY_PLANE_CAPABILITIES_2_KHR : constant VkStructureType := 1000121004;
VK_STRUCTURE_TYPE_IOS_SURFACE_CREATE_INFO_MVK : constant VkStructureType := 1000122000;
VK_STRUCTURE_TYPE_MACOS_SURFACE_CREATE_INFO_MVK : constant VkStructureType := 1000123000;
VK_STRUCTURE_TYPE_DEBUG_UTILS_OBJECT_NAME_INFO_EXT : constant VkStructureType := 1000128000;
VK_STRUCTURE_TYPE_DEBUG_UTILS_OBJECT_TAG_INFO_EXT : constant VkStructureType := 1000128001;
VK_STRUCTURE_TYPE_DEBUG_UTILS_LABEL_EXT : constant VkStructureType := 1000128002;
VK_STRUCTURE_TYPE_DEBUG_UTILS_MESSENGER_CALLBACK_DATA_EXT : constant VkStructureType := 1000128003;
VK_STRUCTURE_TYPE_DEBUG_UTILS_MESSENGER_CREATE_INFO_EXT : constant VkStructureType := 1000128004;
VK_STRUCTURE_TYPE_ANDROID_HARDWARE_BUFFER_USAGE_ANDROID : constant VkStructureType := 1000129000;
VK_STRUCTURE_TYPE_ANDROID_HARDWARE_BUFFER_PROPERTIES_ANDROID : constant VkStructureType := 1000129001;
VK_STRUCTURE_TYPE_ANDROID_HARDWARE_BUFFER_FORMAT_PROPERTIES_ANDROID : constant VkStructureType := 1000129002;
VK_STRUCTURE_TYPE_IMPORT_ANDROID_HARDWARE_BUFFER_INFO_ANDROID : constant VkStructureType := 1000129003;
VK_STRUCTURE_TYPE_MEMORY_GET_ANDROID_HARDWARE_BUFFER_INFO_ANDROID : constant VkStructureType := 1000129004;
VK_STRUCTURE_TYPE_EXTERNAL_FORMAT_ANDROID : constant VkStructureType := 1000129005;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_INLINE_UNIFORM_BLOCK_FEATURES_EXT : constant VkStructureType := 1000138000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_INLINE_UNIFORM_BLOCK_PROPERTIES_EXT : constant VkStructureType := 1000138001;
VK_STRUCTURE_TYPE_WRITE_DESCRIPTOR_SET_INLINE_UNIFORM_BLOCK_EXT : constant VkStructureType := 1000138002;
VK_STRUCTURE_TYPE_DESCRIPTOR_POOL_INLINE_UNIFORM_BLOCK_CREATE_INFO_EXT : constant VkStructureType := 1000138003;
VK_STRUCTURE_TYPE_SAMPLE_LOCATIONS_INFO_EXT : constant VkStructureType := 1000143000;
VK_STRUCTURE_TYPE_RENDER_PASS_SAMPLE_LOCATIONS_BEGIN_INFO_EXT : constant VkStructureType := 1000143001;
VK_STRUCTURE_TYPE_PIPELINE_SAMPLE_LOCATIONS_STATE_CREATE_INFO_EXT : constant VkStructureType := 1000143002;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SAMPLE_LOCATIONS_PROPERTIES_EXT : constant VkStructureType := 1000143003;
VK_STRUCTURE_TYPE_MULTISAMPLE_PROPERTIES_EXT : constant VkStructureType := 1000143004;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_BLEND_OPERATION_ADVANCED_FEATURES_EXT : constant VkStructureType := 1000148000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_BLEND_OPERATION_ADVANCED_PROPERTIES_EXT : constant VkStructureType := 1000148001;
VK_STRUCTURE_TYPE_PIPELINE_COLOR_BLEND_ADVANCED_STATE_CREATE_INFO_EXT : constant VkStructureType := 1000148002;
VK_STRUCTURE_TYPE_PIPELINE_COVERAGE_TO_COLOR_STATE_CREATE_INFO_NV : constant VkStructureType := 1000149000;
VK_STRUCTURE_TYPE_WRITE_DESCRIPTOR_SET_ACCELERATION_STRUCTURE_KHR : constant VkStructureType := 1000150007;
VK_STRUCTURE_TYPE_ACCELERATION_STRUCTURE_BUILD_GEOMETRY_INFO_KHR : constant VkStructureType := 1000150000;
VK_STRUCTURE_TYPE_ACCELERATION_STRUCTURE_DEVICE_ADDRESS_INFO_KHR : constant VkStructureType := 1000150002;
VK_STRUCTURE_TYPE_ACCELERATION_STRUCTURE_GEOMETRY_AABBS_DATA_KHR : constant VkStructureType := 1000150003;
VK_STRUCTURE_TYPE_ACCELERATION_STRUCTURE_GEOMETRY_INSTANCES_DATA_KHR : constant VkStructureType := 1000150004;
VK_STRUCTURE_TYPE_ACCELERATION_STRUCTURE_GEOMETRY_TRIANGLES_DATA_KHR : constant VkStructureType := 1000150005;
VK_STRUCTURE_TYPE_ACCELERATION_STRUCTURE_GEOMETRY_KHR : constant VkStructureType := 1000150006;
VK_STRUCTURE_TYPE_ACCELERATION_STRUCTURE_VERSION_INFO_KHR : constant VkStructureType := 1000150009;
VK_STRUCTURE_TYPE_COPY_ACCELERATION_STRUCTURE_INFO_KHR : constant VkStructureType := 1000150010;
VK_STRUCTURE_TYPE_COPY_ACCELERATION_STRUCTURE_TO_MEMORY_INFO_KHR : constant VkStructureType := 1000150011;
VK_STRUCTURE_TYPE_COPY_MEMORY_TO_ACCELERATION_STRUCTURE_INFO_KHR : constant VkStructureType := 1000150012;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_ACCELERATION_STRUCTURE_FEATURES_KHR : constant VkStructureType := 1000150013;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_ACCELERATION_STRUCTURE_PROPERTIES_KHR : constant VkStructureType := 1000150014;
VK_STRUCTURE_TYPE_ACCELERATION_STRUCTURE_CREATE_INFO_KHR : constant VkStructureType := 1000150017;
VK_STRUCTURE_TYPE_ACCELERATION_STRUCTURE_BUILD_SIZES_INFO_KHR : constant VkStructureType := 1000150020;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_RAY_TRACING_PIPELINE_FEATURES_KHR : constant VkStructureType := 1000347000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_RAY_TRACING_PIPELINE_PROPERTIES_KHR : constant VkStructureType := 1000347001;
VK_STRUCTURE_TYPE_RAY_TRACING_PIPELINE_CREATE_INFO_KHR : constant VkStructureType := 1000150015;
VK_STRUCTURE_TYPE_RAY_TRACING_SHADER_GROUP_CREATE_INFO_KHR : constant VkStructureType := 1000150016;
VK_STRUCTURE_TYPE_RAY_TRACING_PIPELINE_INTERFACE_CREATE_INFO_KHR : constant VkStructureType := 1000150018;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_RAY_QUERY_FEATURES_KHR : constant VkStructureType := 1000348013;
VK_STRUCTURE_TYPE_PIPELINE_COVERAGE_MODULATION_STATE_CREATE_INFO_NV : constant VkStructureType := 1000152000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SHADER_SM_BUILTINS_FEATURES_NV : constant VkStructureType := 1000154000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SHADER_SM_BUILTINS_PROPERTIES_NV : constant VkStructureType := 1000154001;
VK_STRUCTURE_TYPE_DRM_FORMAT_MODIFIER_PROPERTIES_LIST_EXT : constant VkStructureType := 1000158000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_IMAGE_DRM_FORMAT_MODIFIER_INFO_EXT : constant VkStructureType := 1000158002;
VK_STRUCTURE_TYPE_IMAGE_DRM_FORMAT_MODIFIER_LIST_CREATE_INFO_EXT : constant VkStructureType := 1000158003;
VK_STRUCTURE_TYPE_IMAGE_DRM_FORMAT_MODIFIER_EXPLICIT_CREATE_INFO_EXT : constant VkStructureType := 1000158004;
VK_STRUCTURE_TYPE_IMAGE_DRM_FORMAT_MODIFIER_PROPERTIES_EXT : constant VkStructureType := 1000158005;
VK_STRUCTURE_TYPE_VALIDATION_CACHE_CREATE_INFO_EXT : constant VkStructureType := 1000160000;
VK_STRUCTURE_TYPE_SHADER_MODULE_VALIDATION_CACHE_CREATE_INFO_EXT : constant VkStructureType := 1000160001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_PORTABILITY_SUBSET_FEATURES_KHR : constant VkStructureType := 1000163000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_PORTABILITY_SUBSET_PROPERTIES_KHR : constant VkStructureType := 1000163001;
VK_STRUCTURE_TYPE_PIPELINE_VIEWPORT_SHADING_RATE_IMAGE_STATE_CREATE_INFO_NV : constant VkStructureType := 1000164000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SHADING_RATE_IMAGE_FEATURES_NV : constant VkStructureType := 1000164001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SHADING_RATE_IMAGE_PROPERTIES_NV : constant VkStructureType := 1000164002;
VK_STRUCTURE_TYPE_PIPELINE_VIEWPORT_COARSE_SAMPLE_ORDER_STATE_CREATE_INFO_NV : constant VkStructureType := 1000164005;
VK_STRUCTURE_TYPE_RAY_TRACING_PIPELINE_CREATE_INFO_NV : constant VkStructureType := 1000165000;
VK_STRUCTURE_TYPE_ACCELERATION_STRUCTURE_CREATE_INFO_NV : constant VkStructureType := 1000165001;
VK_STRUCTURE_TYPE_GEOMETRY_NV : constant VkStructureType := 1000165003;
VK_STRUCTURE_TYPE_GEOMETRY_TRIANGLES_NV : constant VkStructureType := 1000165004;
VK_STRUCTURE_TYPE_GEOMETRY_AABB_NV : constant VkStructureType := 1000165005;
VK_STRUCTURE_TYPE_BIND_ACCELERATION_STRUCTURE_MEMORY_INFO_NV : constant VkStructureType := 1000165006;
VK_STRUCTURE_TYPE_WRITE_DESCRIPTOR_SET_ACCELERATION_STRUCTURE_NV : constant VkStructureType := 1000165007;
VK_STRUCTURE_TYPE_ACCELERATION_STRUCTURE_MEMORY_REQUIREMENTS_INFO_NV : constant VkStructureType := 1000165008;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_RAY_TRACING_PROPERTIES_NV : constant VkStructureType := 1000165009;
VK_STRUCTURE_TYPE_RAY_TRACING_SHADER_GROUP_CREATE_INFO_NV : constant VkStructureType := 1000165011;
VK_STRUCTURE_TYPE_ACCELERATION_STRUCTURE_INFO_NV : constant VkStructureType := 1000165012;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_REPRESENTATIVE_FRAGMENT_TEST_FEATURES_NV : constant VkStructureType := 1000166000;
VK_STRUCTURE_TYPE_PIPELINE_REPRESENTATIVE_FRAGMENT_TEST_STATE_CREATE_INFO_NV : constant VkStructureType := 1000166001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_IMAGE_VIEW_IMAGE_FORMAT_INFO_EXT : constant VkStructureType := 1000170000;
VK_STRUCTURE_TYPE_FILTER_CUBIC_IMAGE_VIEW_IMAGE_FORMAT_PROPERTIES_EXT : constant VkStructureType := 1000170001;
VK_STRUCTURE_TYPE_DEVICE_QUEUE_GLOBAL_PRIORITY_CREATE_INFO_EXT : constant VkStructureType := 1000174000;
VK_STRUCTURE_TYPE_IMPORT_MEMORY_HOST_POINTER_INFO_EXT : constant VkStructureType := 1000178000;
VK_STRUCTURE_TYPE_MEMORY_HOST_POINTER_PROPERTIES_EXT : constant VkStructureType := 1000178001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_EXTERNAL_MEMORY_HOST_PROPERTIES_EXT : constant VkStructureType := 1000178002;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SHADER_CLOCK_FEATURES_KHR : constant VkStructureType := 1000181000;
VK_STRUCTURE_TYPE_PIPELINE_COMPILER_CONTROL_CREATE_INFO_AMD : constant VkStructureType := 1000183000;
VK_STRUCTURE_TYPE_CALIBRATED_TIMESTAMP_INFO_EXT : constant VkStructureType := 1000184000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SHADER_CORE_PROPERTIES_AMD : constant VkStructureType := 1000185000;
VK_STRUCTURE_TYPE_DEVICE_MEMORY_OVERALLOCATION_CREATE_INFO_AMD : constant VkStructureType := 1000189000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_VERTEX_ATTRIBUTE_DIVISOR_PROPERTIES_EXT : constant VkStructureType := 1000190000;
VK_STRUCTURE_TYPE_PIPELINE_VERTEX_INPUT_DIVISOR_STATE_CREATE_INFO_EXT : constant VkStructureType := 1000190001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_VERTEX_ATTRIBUTE_DIVISOR_FEATURES_EXT : constant VkStructureType := 1000190002;
VK_STRUCTURE_TYPE_PRESENT_FRAME_TOKEN_GGP : constant VkStructureType := 1000191000;
VK_STRUCTURE_TYPE_PIPELINE_CREATION_FEEDBACK_CREATE_INFO_EXT : constant VkStructureType := 1000192000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_COMPUTE_SHADER_DERIVATIVES_FEATURES_NV : constant VkStructureType := 1000201000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_MESH_SHADER_FEATURES_NV : constant VkStructureType := 1000202000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_MESH_SHADER_PROPERTIES_NV : constant VkStructureType := 1000202001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_FRAGMENT_SHADER_BARYCENTRIC_FEATURES_NV : constant VkStructureType := 1000203000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SHADER_IMAGE_FOOTPRINT_FEATURES_NV : constant VkStructureType := 1000204000;
VK_STRUCTURE_TYPE_PIPELINE_VIEWPORT_EXCLUSIVE_SCISSOR_STATE_CREATE_INFO_NV : constant VkStructureType := 1000205000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_EXCLUSIVE_SCISSOR_FEATURES_NV : constant VkStructureType := 1000205002;
VK_STRUCTURE_TYPE_CHECKPOINT_DATA_NV : constant VkStructureType := 1000206000;
VK_STRUCTURE_TYPE_QUEUE_FAMILY_CHECKPOINT_PROPERTIES_NV : constant VkStructureType := 1000206001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SHADER_INTEGER_FUNCTIONS_2_FEATURES_INTEL : constant VkStructureType := 1000209000;
VK_STRUCTURE_TYPE_QUERY_POOL_PERFORMANCE_QUERY_CREATE_INFO_INTEL : constant VkStructureType := 1000210000;
VK_STRUCTURE_TYPE_INITIALIZE_PERFORMANCE_API_INFO_INTEL : constant VkStructureType := 1000210001;
VK_STRUCTURE_TYPE_PERFORMANCE_MARKER_INFO_INTEL : constant VkStructureType := 1000210002;
VK_STRUCTURE_TYPE_PERFORMANCE_STREAM_MARKER_INFO_INTEL : constant VkStructureType := 1000210003;
VK_STRUCTURE_TYPE_PERFORMANCE_OVERRIDE_INFO_INTEL : constant VkStructureType := 1000210004;
VK_STRUCTURE_TYPE_PERFORMANCE_CONFIGURATION_ACQUIRE_INFO_INTEL : constant VkStructureType := 1000210005;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_PCI_BUS_INFO_PROPERTIES_EXT : constant VkStructureType := 1000212000;
VK_STRUCTURE_TYPE_DISPLAY_NATIVE_HDR_SURFACE_CAPABILITIES_AMD : constant VkStructureType := 1000213000;
VK_STRUCTURE_TYPE_SWAPCHAIN_DISPLAY_NATIVE_HDR_CREATE_INFO_AMD : constant VkStructureType := 1000213001;
VK_STRUCTURE_TYPE_IMAGEPIPE_SURFACE_CREATE_INFO_FUCHSIA : constant VkStructureType := 1000214000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SHADER_TERMINATE_INVOCATION_FEATURES_KHR : constant VkStructureType := 1000215000;
VK_STRUCTURE_TYPE_METAL_SURFACE_CREATE_INFO_EXT : constant VkStructureType := 1000217000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_FRAGMENT_DENSITY_MAP_FEATURES_EXT : constant VkStructureType := 1000218000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_FRAGMENT_DENSITY_MAP_PROPERTIES_EXT : constant VkStructureType := 1000218001;
VK_STRUCTURE_TYPE_RENDER_PASS_FRAGMENT_DENSITY_MAP_CREATE_INFO_EXT : constant VkStructureType := 1000218002;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SUBGROUP_SIZE_CONTROL_PROPERTIES_EXT : constant VkStructureType := 1000225000;
VK_STRUCTURE_TYPE_PIPELINE_SHADER_STAGE_REQUIRED_SUBGROUP_SIZE_CREATE_INFO_EXT : constant VkStructureType := 1000225001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SUBGROUP_SIZE_CONTROL_FEATURES_EXT : constant VkStructureType := 1000225002;
VK_STRUCTURE_TYPE_FRAGMENT_SHADING_RATE_ATTACHMENT_INFO_KHR : constant VkStructureType := 1000226000;
VK_STRUCTURE_TYPE_PIPELINE_FRAGMENT_SHADING_RATE_STATE_CREATE_INFO_KHR : constant VkStructureType := 1000226001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_FRAGMENT_SHADING_RATE_PROPERTIES_KHR : constant VkStructureType := 1000226002;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_FRAGMENT_SHADING_RATE_FEATURES_KHR : constant VkStructureType := 1000226003;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_FRAGMENT_SHADING_RATE_KHR : constant VkStructureType := 1000226004;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SHADER_CORE_PROPERTIES_2_AMD : constant VkStructureType := 1000227000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_COHERENT_MEMORY_FEATURES_AMD : constant VkStructureType := 1000229000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SHADER_IMAGE_ATOMIC_INT64_FEATURES_EXT : constant VkStructureType := 1000234000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_MEMORY_BUDGET_PROPERTIES_EXT : constant VkStructureType := 1000237000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_MEMORY_PRIORITY_FEATURES_EXT : constant VkStructureType := 1000238000;
VK_STRUCTURE_TYPE_MEMORY_PRIORITY_ALLOCATE_INFO_EXT : constant VkStructureType := 1000238001;
VK_STRUCTURE_TYPE_SURFACE_PROTECTED_CAPABILITIES_KHR : constant VkStructureType := 1000239000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_DEDICATED_ALLOCATION_IMAGE_ALIASING_FEATURES_NV : constant VkStructureType := 1000240000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_BUFFER_DEVICE_ADDRESS_FEATURES_EXT : constant VkStructureType := 1000244000;
VK_STRUCTURE_TYPE_BUFFER_DEVICE_ADDRESS_CREATE_INFO_EXT : constant VkStructureType := 1000244002;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_TOOL_PROPERTIES_EXT : constant VkStructureType := 1000245000;
VK_STRUCTURE_TYPE_VALIDATION_FEATURES_EXT : constant VkStructureType := 1000247000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_COOPERATIVE_MATRIX_FEATURES_NV : constant VkStructureType := 1000249000;
VK_STRUCTURE_TYPE_COOPERATIVE_MATRIX_PROPERTIES_NV : constant VkStructureType := 1000249001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_COOPERATIVE_MATRIX_PROPERTIES_NV : constant VkStructureType := 1000249002;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_COVERAGE_REDUCTION_MODE_FEATURES_NV : constant VkStructureType := 1000250000;
VK_STRUCTURE_TYPE_PIPELINE_COVERAGE_REDUCTION_STATE_CREATE_INFO_NV : constant VkStructureType := 1000250001;
VK_STRUCTURE_TYPE_FRAMEBUFFER_MIXED_SAMPLES_COMBINATION_NV : constant VkStructureType := 1000250002;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_FRAGMENT_SHADER_INTERLOCK_FEATURES_EXT : constant VkStructureType := 1000251000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_YCBCR_IMAGE_ARRAYS_FEATURES_EXT : constant VkStructureType := 1000252000;
VK_STRUCTURE_TYPE_SURFACE_FULL_SCREEN_EXCLUSIVE_INFO_EXT : constant VkStructureType := 1000255000;
VK_STRUCTURE_TYPE_SURFACE_CAPABILITIES_FULL_SCREEN_EXCLUSIVE_EXT : constant VkStructureType := 1000255002;
VK_STRUCTURE_TYPE_SURFACE_FULL_SCREEN_EXCLUSIVE_WIN32_INFO_EXT : constant VkStructureType := 1000255001;
VK_STRUCTURE_TYPE_HEADLESS_SURFACE_CREATE_INFO_EXT : constant VkStructureType := 1000256000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_LINE_RASTERIZATION_FEATURES_EXT : constant VkStructureType := 1000259000;
VK_STRUCTURE_TYPE_PIPELINE_RASTERIZATION_LINE_STATE_CREATE_INFO_EXT : constant VkStructureType := 1000259001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_LINE_RASTERIZATION_PROPERTIES_EXT : constant VkStructureType := 1000259002;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SHADER_ATOMIC_FLOAT_FEATURES_EXT : constant VkStructureType := 1000260000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_INDEX_TYPE_UINT8_FEATURES_EXT : constant VkStructureType := 1000265000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_EXTENDED_DYNAMIC_STATE_FEATURES_EXT : constant VkStructureType := 1000267000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_PIPELINE_EXECUTABLE_PROPERTIES_FEATURES_KHR : constant VkStructureType := 1000269000;
VK_STRUCTURE_TYPE_PIPELINE_INFO_KHR : constant VkStructureType := 1000269001;
VK_STRUCTURE_TYPE_PIPELINE_EXECUTABLE_PROPERTIES_KHR : constant VkStructureType := 1000269002;
VK_STRUCTURE_TYPE_PIPELINE_EXECUTABLE_INFO_KHR : constant VkStructureType := 1000269003;
VK_STRUCTURE_TYPE_PIPELINE_EXECUTABLE_STATISTIC_KHR : constant VkStructureType := 1000269004;
VK_STRUCTURE_TYPE_PIPELINE_EXECUTABLE_INTERNAL_REPRESENTATION_KHR : constant VkStructureType := 1000269005;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SHADER_DEMOTE_TO_HELPER_INVOCATION_FEATURES_EXT : constant VkStructureType := 1000276000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_DEVICE_GENERATED_COMMANDS_PROPERTIES_NV : constant VkStructureType := 1000277000;
VK_STRUCTURE_TYPE_GRAPHICS_SHADER_GROUP_CREATE_INFO_NV : constant VkStructureType := 1000277001;
VK_STRUCTURE_TYPE_GRAPHICS_PIPELINE_SHADER_GROUPS_CREATE_INFO_NV : constant VkStructureType := 1000277002;
VK_STRUCTURE_TYPE_INDIRECT_COMMANDS_LAYOUT_TOKEN_NV : constant VkStructureType := 1000277003;
VK_STRUCTURE_TYPE_INDIRECT_COMMANDS_LAYOUT_CREATE_INFO_NV : constant VkStructureType := 1000277004;
VK_STRUCTURE_TYPE_GENERATED_COMMANDS_INFO_NV : constant VkStructureType := 1000277005;
VK_STRUCTURE_TYPE_GENERATED_COMMANDS_MEMORY_REQUIREMENTS_INFO_NV : constant VkStructureType := 1000277006;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_DEVICE_GENERATED_COMMANDS_FEATURES_NV : constant VkStructureType := 1000277007;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_TEXEL_BUFFER_ALIGNMENT_FEATURES_EXT : constant VkStructureType := 1000281000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_TEXEL_BUFFER_ALIGNMENT_PROPERTIES_EXT : constant VkStructureType := 1000281001;
VK_STRUCTURE_TYPE_COMMAND_BUFFER_INHERITANCE_RENDER_PASS_TRANSFORM_INFO_QCOM : constant VkStructureType := 1000282000;
VK_STRUCTURE_TYPE_RENDER_PASS_TRANSFORM_BEGIN_INFO_QCOM : constant VkStructureType := 1000282001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_DEVICE_MEMORY_REPORT_FEATURES_EXT : constant VkStructureType := 1000284000;
VK_STRUCTURE_TYPE_DEVICE_DEVICE_MEMORY_REPORT_CREATE_INFO_EXT : constant VkStructureType := 1000284001;
VK_STRUCTURE_TYPE_DEVICE_MEMORY_REPORT_CALLBACK_DATA_EXT : constant VkStructureType := 1000284002;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_ROBUSTNESS_2_FEATURES_EXT : constant VkStructureType := 1000286000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_ROBUSTNESS_2_PROPERTIES_EXT : constant VkStructureType := 1000286001;
VK_STRUCTURE_TYPE_SAMPLER_CUSTOM_BORDER_COLOR_CREATE_INFO_EXT : constant VkStructureType := 1000287000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_CUSTOM_BORDER_COLOR_PROPERTIES_EXT : constant VkStructureType := 1000287001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_CUSTOM_BORDER_COLOR_FEATURES_EXT : constant VkStructureType := 1000287002;
VK_STRUCTURE_TYPE_PIPELINE_LIBRARY_CREATE_INFO_KHR : constant VkStructureType := 1000290000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_PRIVATE_DATA_FEATURES_EXT : constant VkStructureType := 1000295000;
VK_STRUCTURE_TYPE_DEVICE_PRIVATE_DATA_CREATE_INFO_EXT : constant VkStructureType := 1000295001;
VK_STRUCTURE_TYPE_PRIVATE_DATA_SLOT_CREATE_INFO_EXT : constant VkStructureType := 1000295002;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_PIPELINE_CREATION_CACHE_CONTROL_FEATURES_EXT : constant VkStructureType := 1000297000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_DIAGNOSTICS_CONFIG_FEATURES_NV : constant VkStructureType := 1000300000;
VK_STRUCTURE_TYPE_DEVICE_DIAGNOSTICS_CONFIG_CREATE_INFO_NV : constant VkStructureType := 1000300001;
VK_STRUCTURE_TYPE_MEMORY_BARRIER_2_KHR : constant VkStructureType := 1000314000;
VK_STRUCTURE_TYPE_BUFFER_MEMORY_BARRIER_2_KHR : constant VkStructureType := 1000314001;
VK_STRUCTURE_TYPE_IMAGE_MEMORY_BARRIER_2_KHR : constant VkStructureType := 1000314002;
VK_STRUCTURE_TYPE_DEPENDENCY_INFO_KHR : constant VkStructureType := 1000314003;
VK_STRUCTURE_TYPE_SUBMIT_INFO_2_KHR : constant VkStructureType := 1000314004;
VK_STRUCTURE_TYPE_SEMAPHORE_SUBMIT_INFO_KHR : constant VkStructureType := 1000314005;
VK_STRUCTURE_TYPE_COMMAND_BUFFER_SUBMIT_INFO_KHR : constant VkStructureType := 1000314006;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SYNCHRONIZATION_2_FEATURES_KHR : constant VkStructureType := 1000314007;
VK_STRUCTURE_TYPE_QUEUE_FAMILY_CHECKPOINT_PROPERTIES_2_NV : constant VkStructureType := 1000314008;
VK_STRUCTURE_TYPE_CHECKPOINT_DATA_2_NV : constant VkStructureType := 1000314009;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_ZERO_INITIALIZE_WORKGROUP_MEMORY_FEATURES_KHR : constant VkStructureType := 1000325000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_FRAGMENT_SHADING_RATE_ENUMS_PROPERTIES_NV : constant VkStructureType := 1000326000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_FRAGMENT_SHADING_RATE_ENUMS_FEATURES_NV : constant VkStructureType := 1000326001;
VK_STRUCTURE_TYPE_PIPELINE_FRAGMENT_SHADING_RATE_ENUM_STATE_CREATE_INFO_NV : constant VkStructureType := 1000326002;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_FRAGMENT_DENSITY_MAP_2_FEATURES_EXT : constant VkStructureType := 1000332000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_FRAGMENT_DENSITY_MAP_2_PROPERTIES_EXT : constant VkStructureType := 1000332001;
VK_STRUCTURE_TYPE_COPY_COMMAND_TRANSFORM_INFO_QCOM : constant VkStructureType := 1000333000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_IMAGE_ROBUSTNESS_FEATURES_EXT : constant VkStructureType := 1000335000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_WORKGROUP_MEMORY_EXPLICIT_LAYOUT_FEATURES_KHR : constant VkStructureType := 1000336000;
VK_STRUCTURE_TYPE_COPY_BUFFER_INFO_2_KHR : constant VkStructureType := 1000337000;
VK_STRUCTURE_TYPE_COPY_IMAGE_INFO_2_KHR : constant VkStructureType := 1000337001;
VK_STRUCTURE_TYPE_COPY_BUFFER_TO_IMAGE_INFO_2_KHR : constant VkStructureType := 1000337002;
VK_STRUCTURE_TYPE_COPY_IMAGE_TO_BUFFER_INFO_2_KHR : constant VkStructureType := 1000337003;
VK_STRUCTURE_TYPE_BLIT_IMAGE_INFO_2_KHR : constant VkStructureType := 1000337004;
VK_STRUCTURE_TYPE_RESOLVE_IMAGE_INFO_2_KHR : constant VkStructureType := 1000337005;
VK_STRUCTURE_TYPE_BUFFER_COPY_2_KHR : constant VkStructureType := 1000337006;
VK_STRUCTURE_TYPE_IMAGE_COPY_2_KHR : constant VkStructureType := 1000337007;
VK_STRUCTURE_TYPE_IMAGE_BLIT_2_KHR : constant VkStructureType := 1000337008;
VK_STRUCTURE_TYPE_BUFFER_IMAGE_COPY_2_KHR : constant VkStructureType := 1000337009;
VK_STRUCTURE_TYPE_IMAGE_RESOLVE_2_KHR : constant VkStructureType := 1000337010;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_4444_FORMATS_FEATURES_EXT : constant VkStructureType := 1000340000;
VK_STRUCTURE_TYPE_DIRECTFB_SURFACE_CREATE_INFO_EXT : constant VkStructureType := 1000346000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_MUTABLE_DESCRIPTOR_TYPE_FEATURES_VALVE : constant VkStructureType := 1000351000;
VK_STRUCTURE_TYPE_MUTABLE_DESCRIPTOR_TYPE_CREATE_INFO_VALVE : constant VkStructureType := 1000351002;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_VARIABLE_POINTER_FEATURES : constant VkStructureType := 1000120000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SHADER_DRAW_PARAMETER_FEATURES : constant VkStructureType := 1000063000;
VK_STRUCTURE_TYPE_DEBUG_REPORT_CREATE_INFO_EXT : constant VkStructureType := 1000011000;
VK_STRUCTURE_TYPE_RENDER_PASS_MULTIVIEW_CREATE_INFO_KHR : constant VkStructureType := 1000053000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_MULTIVIEW_FEATURES_KHR : constant VkStructureType := 1000053001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_MULTIVIEW_PROPERTIES_KHR : constant VkStructureType := 1000053002;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_FEATURES_2_KHR : constant VkStructureType := 1000059000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_PROPERTIES_2_KHR : constant VkStructureType := 1000059001;
VK_STRUCTURE_TYPE_FORMAT_PROPERTIES_2_KHR : constant VkStructureType := 1000059002;
VK_STRUCTURE_TYPE_IMAGE_FORMAT_PROPERTIES_2_KHR : constant VkStructureType := 1000059003;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_IMAGE_FORMAT_INFO_2_KHR : constant VkStructureType := 1000059004;
VK_STRUCTURE_TYPE_QUEUE_FAMILY_PROPERTIES_2_KHR : constant VkStructureType := 1000059005;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_MEMORY_PROPERTIES_2_KHR : constant VkStructureType := 1000059006;
VK_STRUCTURE_TYPE_SPARSE_IMAGE_FORMAT_PROPERTIES_2_KHR : constant VkStructureType := 1000059007;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SPARSE_IMAGE_FORMAT_INFO_2_KHR : constant VkStructureType := 1000059008;
VK_STRUCTURE_TYPE_MEMORY_ALLOCATE_FLAGS_INFO_KHR : constant VkStructureType := 1000060000;
VK_STRUCTURE_TYPE_DEVICE_GROUP_RENDER_PASS_BEGIN_INFO_KHR : constant VkStructureType := 1000060003;
VK_STRUCTURE_TYPE_DEVICE_GROUP_COMMAND_BUFFER_BEGIN_INFO_KHR : constant VkStructureType := 1000060004;
VK_STRUCTURE_TYPE_DEVICE_GROUP_SUBMIT_INFO_KHR : constant VkStructureType := 1000060005;
VK_STRUCTURE_TYPE_DEVICE_GROUP_BIND_SPARSE_INFO_KHR : constant VkStructureType := 1000060006;
VK_STRUCTURE_TYPE_BIND_BUFFER_MEMORY_DEVICE_GROUP_INFO_KHR : constant VkStructureType := 1000060013;
VK_STRUCTURE_TYPE_BIND_IMAGE_MEMORY_DEVICE_GROUP_INFO_KHR : constant VkStructureType := 1000060014;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_GROUP_PROPERTIES_KHR : constant VkStructureType := 1000070000;
VK_STRUCTURE_TYPE_DEVICE_GROUP_DEVICE_CREATE_INFO_KHR : constant VkStructureType := 1000070001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_EXTERNAL_IMAGE_FORMAT_INFO_KHR : constant VkStructureType := 1000071000;
VK_STRUCTURE_TYPE_EXTERNAL_IMAGE_FORMAT_PROPERTIES_KHR : constant VkStructureType := 1000071001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_EXTERNAL_BUFFER_INFO_KHR : constant VkStructureType := 1000071002;
VK_STRUCTURE_TYPE_EXTERNAL_BUFFER_PROPERTIES_KHR : constant VkStructureType := 1000071003;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_ID_PROPERTIES_KHR : constant VkStructureType := 1000071004;
VK_STRUCTURE_TYPE_EXTERNAL_MEMORY_BUFFER_CREATE_INFO_KHR : constant VkStructureType := 1000072000;
VK_STRUCTURE_TYPE_EXTERNAL_MEMORY_IMAGE_CREATE_INFO_KHR : constant VkStructureType := 1000072001;
VK_STRUCTURE_TYPE_EXPORT_MEMORY_ALLOCATE_INFO_KHR : constant VkStructureType := 1000072002;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_EXTERNAL_SEMAPHORE_INFO_KHR : constant VkStructureType := 1000076000;
VK_STRUCTURE_TYPE_EXTERNAL_SEMAPHORE_PROPERTIES_KHR : constant VkStructureType := 1000076001;
VK_STRUCTURE_TYPE_EXPORT_SEMAPHORE_CREATE_INFO_KHR : constant VkStructureType := 1000077000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SHADER_FLOAT16_INT8_FEATURES_KHR : constant VkStructureType := 1000082000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_FLOAT16_INT8_FEATURES_KHR : constant VkStructureType := 1000082000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_16BIT_STORAGE_FEATURES_KHR : constant VkStructureType := 1000083000;
VK_STRUCTURE_TYPE_DESCRIPTOR_UPDATE_TEMPLATE_CREATE_INFO_KHR : constant VkStructureType := 1000085000;
VK_STRUCTURE_TYPE_SURFACE_CAPABILITIES2_EXT : constant VkStructureType := 1000090000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_IMAGELESS_FRAMEBUFFER_FEATURES_KHR : constant VkStructureType := 1000108000;
VK_STRUCTURE_TYPE_FRAMEBUFFER_ATTACHMENTS_CREATE_INFO_KHR : constant VkStructureType := 1000108001;
VK_STRUCTURE_TYPE_FRAMEBUFFER_ATTACHMENT_IMAGE_INFO_KHR : constant VkStructureType := 1000108002;
VK_STRUCTURE_TYPE_RENDER_PASS_ATTACHMENT_BEGIN_INFO_KHR : constant VkStructureType := 1000108003;
VK_STRUCTURE_TYPE_ATTACHMENT_DESCRIPTION_2_KHR : constant VkStructureType := 1000109000;
VK_STRUCTURE_TYPE_ATTACHMENT_REFERENCE_2_KHR : constant VkStructureType := 1000109001;
VK_STRUCTURE_TYPE_SUBPASS_DESCRIPTION_2_KHR : constant VkStructureType := 1000109002;
VK_STRUCTURE_TYPE_SUBPASS_DEPENDENCY_2_KHR : constant VkStructureType := 1000109003;
VK_STRUCTURE_TYPE_RENDER_PASS_CREATE_INFO_2_KHR : constant VkStructureType := 1000109004;
VK_STRUCTURE_TYPE_SUBPASS_BEGIN_INFO_KHR : constant VkStructureType := 1000109005;
VK_STRUCTURE_TYPE_SUBPASS_END_INFO_KHR : constant VkStructureType := 1000109006;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_EXTERNAL_FENCE_INFO_KHR : constant VkStructureType := 1000112000;
VK_STRUCTURE_TYPE_EXTERNAL_FENCE_PROPERTIES_KHR : constant VkStructureType := 1000112001;
VK_STRUCTURE_TYPE_EXPORT_FENCE_CREATE_INFO_KHR : constant VkStructureType := 1000113000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_POINT_CLIPPING_PROPERTIES_KHR : constant VkStructureType := 1000117000;
VK_STRUCTURE_TYPE_RENDER_PASS_INPUT_ATTACHMENT_ASPECT_CREATE_INFO_KHR : constant VkStructureType := 1000117001;
VK_STRUCTURE_TYPE_IMAGE_VIEW_USAGE_CREATE_INFO_KHR : constant VkStructureType := 1000117002;
VK_STRUCTURE_TYPE_PIPELINE_TESSELLATION_DOMAIN_ORIGIN_STATE_CREATE_INFO_KHR : constant VkStructureType := 1000117003;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_VARIABLE_POINTERS_FEATURES_KHR : constant VkStructureType := 1000120000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_VARIABLE_POINTER_FEATURES_KHR : constant VkStructureType := 1000120000;
VK_STRUCTURE_TYPE_MEMORY_DEDICATED_REQUIREMENTS_KHR : constant VkStructureType := 1000127000;
VK_STRUCTURE_TYPE_MEMORY_DEDICATED_ALLOCATE_INFO_KHR : constant VkStructureType := 1000127001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SAMPLER_FILTER_MINMAX_PROPERTIES_EXT : constant VkStructureType := 1000130000;
VK_STRUCTURE_TYPE_SAMPLER_REDUCTION_MODE_CREATE_INFO_EXT : constant VkStructureType := 1000130001;
VK_STRUCTURE_TYPE_BUFFER_MEMORY_REQUIREMENTS_INFO_2_KHR : constant VkStructureType := 1000146000;
VK_STRUCTURE_TYPE_IMAGE_MEMORY_REQUIREMENTS_INFO_2_KHR : constant VkStructureType := 1000146001;
VK_STRUCTURE_TYPE_IMAGE_SPARSE_MEMORY_REQUIREMENTS_INFO_2_KHR : constant VkStructureType := 1000146002;
VK_STRUCTURE_TYPE_MEMORY_REQUIREMENTS_2_KHR : constant VkStructureType := 1000146003;
VK_STRUCTURE_TYPE_SPARSE_IMAGE_MEMORY_REQUIREMENTS_2_KHR : constant VkStructureType := 1000146004;
VK_STRUCTURE_TYPE_IMAGE_FORMAT_LIST_CREATE_INFO_KHR : constant VkStructureType := 1000147000;
VK_STRUCTURE_TYPE_SAMPLER_YCBCR_CONVERSION_CREATE_INFO_KHR : constant VkStructureType := 1000156000;
VK_STRUCTURE_TYPE_SAMPLER_YCBCR_CONVERSION_INFO_KHR : constant VkStructureType := 1000156001;
VK_STRUCTURE_TYPE_BIND_IMAGE_PLANE_MEMORY_INFO_KHR : constant VkStructureType := 1000156002;
VK_STRUCTURE_TYPE_IMAGE_PLANE_MEMORY_REQUIREMENTS_INFO_KHR : constant VkStructureType := 1000156003;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SAMPLER_YCBCR_CONVERSION_FEATURES_KHR : constant VkStructureType := 1000156004;
VK_STRUCTURE_TYPE_SAMPLER_YCBCR_CONVERSION_IMAGE_FORMAT_PROPERTIES_KHR : constant VkStructureType := 1000156005;
VK_STRUCTURE_TYPE_BIND_BUFFER_MEMORY_INFO_KHR : constant VkStructureType := 1000157000;
VK_STRUCTURE_TYPE_BIND_IMAGE_MEMORY_INFO_KHR : constant VkStructureType := 1000157001;
VK_STRUCTURE_TYPE_DESCRIPTOR_SET_LAYOUT_BINDING_FLAGS_CREATE_INFO_EXT : constant VkStructureType := 1000161000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_DESCRIPTOR_INDEXING_FEATURES_EXT : constant VkStructureType := 1000161001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_DESCRIPTOR_INDEXING_PROPERTIES_EXT : constant VkStructureType := 1000161002;
VK_STRUCTURE_TYPE_DESCRIPTOR_SET_VARIABLE_DESCRIPTOR_COUNT_ALLOCATE_INFO_EXT : constant VkStructureType := 1000161003;
VK_STRUCTURE_TYPE_DESCRIPTOR_SET_VARIABLE_DESCRIPTOR_COUNT_LAYOUT_SUPPORT_EXT : constant VkStructureType := 1000161004;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_MAINTENANCE_3_PROPERTIES_KHR : constant VkStructureType := 1000168000;
VK_STRUCTURE_TYPE_DESCRIPTOR_SET_LAYOUT_SUPPORT_KHR : constant VkStructureType := 1000168001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SHADER_SUBGROUP_EXTENDED_TYPES_FEATURES_KHR : constant VkStructureType := 1000175000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_8BIT_STORAGE_FEATURES_KHR : constant VkStructureType := 1000177000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SHADER_ATOMIC_INT64_FEATURES_KHR : constant VkStructureType := 1000180000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_DRIVER_PROPERTIES_KHR : constant VkStructureType := 1000196000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_FLOAT_CONTROLS_PROPERTIES_KHR : constant VkStructureType := 1000197000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_DEPTH_STENCIL_RESOLVE_PROPERTIES_KHR : constant VkStructureType := 1000199000;
VK_STRUCTURE_TYPE_SUBPASS_DESCRIPTION_DEPTH_STENCIL_RESOLVE_KHR : constant VkStructureType := 1000199001;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_TIMELINE_SEMAPHORE_FEATURES_KHR : constant VkStructureType := 1000207000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_TIMELINE_SEMAPHORE_PROPERTIES_KHR : constant VkStructureType := 1000207001;
VK_STRUCTURE_TYPE_SEMAPHORE_TYPE_CREATE_INFO_KHR : constant VkStructureType := 1000207002;
VK_STRUCTURE_TYPE_TIMELINE_SEMAPHORE_SUBMIT_INFO_KHR : constant VkStructureType := 1000207003;
VK_STRUCTURE_TYPE_SEMAPHORE_WAIT_INFO_KHR : constant VkStructureType := 1000207004;
VK_STRUCTURE_TYPE_SEMAPHORE_SIGNAL_INFO_KHR : constant VkStructureType := 1000207005;
VK_STRUCTURE_TYPE_QUERY_POOL_CREATE_INFO_INTEL : constant VkStructureType := 1000210000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_VULKAN_MEMORY_MODEL_FEATURES_KHR : constant VkStructureType := 1000211000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SCALAR_BLOCK_LAYOUT_FEATURES_EXT : constant VkStructureType := 1000221000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_SEPARATE_DEPTH_STENCIL_LAYOUTS_FEATURES_KHR : constant VkStructureType := 1000241000;
VK_STRUCTURE_TYPE_ATTACHMENT_REFERENCE_STENCIL_LAYOUT_KHR : constant VkStructureType := 1000241001;
VK_STRUCTURE_TYPE_ATTACHMENT_DESCRIPTION_STENCIL_LAYOUT_KHR : constant VkStructureType := 1000241002;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_BUFFER_ADDRESS_FEATURES_EXT : constant VkStructureType := 1000244000;
VK_STRUCTURE_TYPE_BUFFER_DEVICE_ADDRESS_INFO_EXT : constant VkStructureType := 1000244001;
VK_STRUCTURE_TYPE_IMAGE_STENCIL_USAGE_CREATE_INFO_EXT : constant VkStructureType := 1000246000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_UNIFORM_BUFFER_STANDARD_LAYOUT_FEATURES_KHR : constant VkStructureType := 1000253000;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_BUFFER_DEVICE_ADDRESS_FEATURES_KHR : constant VkStructureType := 1000257000;
VK_STRUCTURE_TYPE_BUFFER_DEVICE_ADDRESS_INFO_KHR : constant VkStructureType := 1000244001;
VK_STRUCTURE_TYPE_BUFFER_OPAQUE_CAPTURE_ADDRESS_CREATE_INFO_KHR : constant VkStructureType := 1000257002;
VK_STRUCTURE_TYPE_MEMORY_OPAQUE_CAPTURE_ADDRESS_ALLOCATE_INFO_KHR : constant VkStructureType := 1000257003;
VK_STRUCTURE_TYPE_DEVICE_MEMORY_OPAQUE_CAPTURE_ADDRESS_INFO_KHR : constant VkStructureType := 1000257004;
VK_STRUCTURE_TYPE_PHYSICAL_DEVICE_HOST_QUERY_RESET_FEATURES_EXT : constant VkStructureType := 1000261000;
VK_STRUCTURE_TYPE_MAX_ENUM : constant VkStructureType := 2147483647; -- vulkan_core.h:151
subtype VkImageLayout is unsigned;
VK_IMAGE_LAYOUT_UNDEFINED : constant VkImageLayout := 0;
VK_IMAGE_LAYOUT_GENERAL : constant VkImageLayout := 1;
VK_IMAGE_LAYOUT_COLOR_ATTACHMENT_OPTIMAL : constant VkImageLayout := 2;
VK_IMAGE_LAYOUT_DEPTH_STENCIL_ATTACHMENT_OPTIMAL : constant VkImageLayout := 3;
VK_IMAGE_LAYOUT_DEPTH_STENCIL_READ_ONLY_OPTIMAL : constant VkImageLayout := 4;
VK_IMAGE_LAYOUT_SHADER_READ_ONLY_OPTIMAL : constant VkImageLayout := 5;
VK_IMAGE_LAYOUT_TRANSFER_SRC_OPTIMAL : constant VkImageLayout := 6;
VK_IMAGE_LAYOUT_TRANSFER_DST_OPTIMAL : constant VkImageLayout := 7;
VK_IMAGE_LAYOUT_PREINITIALIZED : constant VkImageLayout := 8;
VK_IMAGE_LAYOUT_DEPTH_READ_ONLY_STENCIL_ATTACHMENT_OPTIMAL : constant VkImageLayout := 1000117000;
VK_IMAGE_LAYOUT_DEPTH_ATTACHMENT_STENCIL_READ_ONLY_OPTIMAL : constant VkImageLayout := 1000117001;
VK_IMAGE_LAYOUT_DEPTH_ATTACHMENT_OPTIMAL : constant VkImageLayout := 1000241000;
VK_IMAGE_LAYOUT_DEPTH_READ_ONLY_OPTIMAL : constant VkImageLayout := 1000241001;
VK_IMAGE_LAYOUT_STENCIL_ATTACHMENT_OPTIMAL : constant VkImageLayout := 1000241002;
VK_IMAGE_LAYOUT_STENCIL_READ_ONLY_OPTIMAL : constant VkImageLayout := 1000241003;
VK_IMAGE_LAYOUT_PRESENT_SRC_KHR : constant VkImageLayout := 1000001002;
VK_IMAGE_LAYOUT_SHARED_PRESENT_KHR : constant VkImageLayout := 1000111000;
VK_IMAGE_LAYOUT_SHADING_RATE_OPTIMAL_NV : constant VkImageLayout := 1000164003;
VK_IMAGE_LAYOUT_FRAGMENT_DENSITY_MAP_OPTIMAL_EXT : constant VkImageLayout := 1000218000;
VK_IMAGE_LAYOUT_READ_ONLY_OPTIMAL_KHR : constant VkImageLayout := 1000314000;
VK_IMAGE_LAYOUT_ATTACHMENT_OPTIMAL_KHR : constant VkImageLayout := 1000314001;
VK_IMAGE_LAYOUT_DEPTH_READ_ONLY_STENCIL_ATTACHMENT_OPTIMAL_KHR : constant VkImageLayout := 1000117000;
VK_IMAGE_LAYOUT_DEPTH_ATTACHMENT_STENCIL_READ_ONLY_OPTIMAL_KHR : constant VkImageLayout := 1000117001;
VK_IMAGE_LAYOUT_FRAGMENT_SHADING_RATE_ATTACHMENT_OPTIMAL_KHR : constant VkImageLayout := 1000164003;
VK_IMAGE_LAYOUT_DEPTH_ATTACHMENT_OPTIMAL_KHR : constant VkImageLayout := 1000241000;
VK_IMAGE_LAYOUT_DEPTH_READ_ONLY_OPTIMAL_KHR : constant VkImageLayout := 1000241001;
VK_IMAGE_LAYOUT_STENCIL_ATTACHMENT_OPTIMAL_KHR : constant VkImageLayout := 1000241002;
VK_IMAGE_LAYOUT_STENCIL_READ_ONLY_OPTIMAL_KHR : constant VkImageLayout := 1000241003;
VK_IMAGE_LAYOUT_MAX_ENUM : constant VkImageLayout := 2147483647; -- vulkan_core.h:754
subtype VkObjectType is unsigned;
VK_OBJECT_TYPE_UNKNOWN : constant VkObjectType := 0;
VK_OBJECT_TYPE_INSTANCE : constant VkObjectType := 1;
VK_OBJECT_TYPE_PHYSICAL_DEVICE : constant VkObjectType := 2;
VK_OBJECT_TYPE_DEVICE : constant VkObjectType := 3;
VK_OBJECT_TYPE_QUEUE : constant VkObjectType := 4;
VK_OBJECT_TYPE_SEMAPHORE : constant VkObjectType := 5;
VK_OBJECT_TYPE_COMMAND_BUFFER : constant VkObjectType := 6;
VK_OBJECT_TYPE_FENCE : constant VkObjectType := 7;
VK_OBJECT_TYPE_DEVICE_MEMORY : constant VkObjectType := 8;
VK_OBJECT_TYPE_BUFFER : constant VkObjectType := 9;
VK_OBJECT_TYPE_IMAGE : constant VkObjectType := 10;
VK_OBJECT_TYPE_EVENT : constant VkObjectType := 11;
VK_OBJECT_TYPE_QUERY_POOL : constant VkObjectType := 12;
VK_OBJECT_TYPE_BUFFER_VIEW : constant VkObjectType := 13;
VK_OBJECT_TYPE_IMAGE_VIEW : constant VkObjectType := 14;
VK_OBJECT_TYPE_SHADER_MODULE : constant VkObjectType := 15;
VK_OBJECT_TYPE_PIPELINE_CACHE : constant VkObjectType := 16;
VK_OBJECT_TYPE_PIPELINE_LAYOUT : constant VkObjectType := 17;
VK_OBJECT_TYPE_RENDER_PASS : constant VkObjectType := 18;
VK_OBJECT_TYPE_PIPELINE : constant VkObjectType := 19;
VK_OBJECT_TYPE_DESCRIPTOR_SET_LAYOUT : constant VkObjectType := 20;
VK_OBJECT_TYPE_SAMPLER : constant VkObjectType := 21;
VK_OBJECT_TYPE_DESCRIPTOR_POOL : constant VkObjectType := 22;
VK_OBJECT_TYPE_DESCRIPTOR_SET : constant VkObjectType := 23;
VK_OBJECT_TYPE_FRAMEBUFFER : constant VkObjectType := 24;
VK_OBJECT_TYPE_COMMAND_POOL : constant VkObjectType := 25;
VK_OBJECT_TYPE_SAMPLER_YCBCR_CONVERSION : constant VkObjectType := 1000156000;
VK_OBJECT_TYPE_DESCRIPTOR_UPDATE_TEMPLATE : constant VkObjectType := 1000085000;
VK_OBJECT_TYPE_SURFACE_KHR : constant VkObjectType := 1000000000;
VK_OBJECT_TYPE_SWAPCHAIN_KHR : constant VkObjectType := 1000001000;
VK_OBJECT_TYPE_DISPLAY_KHR : constant VkObjectType := 1000002000;
VK_OBJECT_TYPE_DISPLAY_MODE_KHR : constant VkObjectType := 1000002001;
VK_OBJECT_TYPE_DEBUG_REPORT_CALLBACK_EXT : constant VkObjectType := 1000011000;
VK_OBJECT_TYPE_DEBUG_UTILS_MESSENGER_EXT : constant VkObjectType := 1000128000;
VK_OBJECT_TYPE_ACCELERATION_STRUCTURE_KHR : constant VkObjectType := 1000150000;
VK_OBJECT_TYPE_VALIDATION_CACHE_EXT : constant VkObjectType := 1000160000;
VK_OBJECT_TYPE_ACCELERATION_STRUCTURE_NV : constant VkObjectType := 1000165000;
VK_OBJECT_TYPE_PERFORMANCE_CONFIGURATION_INTEL : constant VkObjectType := 1000210000;
VK_OBJECT_TYPE_DEFERRED_OPERATION_KHR : constant VkObjectType := 1000268000;
VK_OBJECT_TYPE_INDIRECT_COMMANDS_LAYOUT_NV : constant VkObjectType := 1000277000;
VK_OBJECT_TYPE_PRIVATE_DATA_SLOT_EXT : constant VkObjectType := 1000295000;
VK_OBJECT_TYPE_DESCRIPTOR_UPDATE_TEMPLATE_KHR : constant VkObjectType := 1000085000;
VK_OBJECT_TYPE_SAMPLER_YCBCR_CONVERSION_KHR : constant VkObjectType := 1000156000;
VK_OBJECT_TYPE_MAX_ENUM : constant VkObjectType := 2147483647; -- vulkan_core.h:786
subtype VkVendorId is unsigned;
VK_VENDOR_ID_VIV : constant VkVendorId := 65537;
VK_VENDOR_ID_VSI : constant VkVendorId := 65538;
VK_VENDOR_ID_KAZAN : constant VkVendorId := 65539;
VK_VENDOR_ID_CODEPLAY : constant VkVendorId := 65540;
VK_VENDOR_ID_MESA : constant VkVendorId := 65541;
VK_VENDOR_ID_POCL : constant VkVendorId := 65542;
VK_VENDOR_ID_MAX_ENUM : constant VkVendorId := 2147483647; -- vulkan_core.h:833
subtype VkPipelineCacheHeaderVersion is unsigned;
VK_PIPELINE_CACHE_HEADER_VERSION_ONE : constant VkPipelineCacheHeaderVersion := 1;
VK_PIPELINE_CACHE_HEADER_VERSION_MAX_ENUM : constant VkPipelineCacheHeaderVersion := 2147483647; -- vulkan_core.h:843
subtype VkSystemAllocationScope is unsigned;
VK_SYSTEM_ALLOCATION_SCOPE_COMMAND : constant VkSystemAllocationScope := 0;
VK_SYSTEM_ALLOCATION_SCOPE_OBJECT : constant VkSystemAllocationScope := 1;
VK_SYSTEM_ALLOCATION_SCOPE_CACHE : constant VkSystemAllocationScope := 2;
VK_SYSTEM_ALLOCATION_SCOPE_DEVICE : constant VkSystemAllocationScope := 3;
VK_SYSTEM_ALLOCATION_SCOPE_INSTANCE : constant VkSystemAllocationScope := 4;
VK_SYSTEM_ALLOCATION_SCOPE_MAX_ENUM : constant VkSystemAllocationScope := 2147483647; -- vulkan_core.h:848
subtype VkInternalAllocationType is unsigned;
VK_INTERNAL_ALLOCATION_TYPE_EXECUTABLE : constant VkInternalAllocationType := 0;
VK_INTERNAL_ALLOCATION_TYPE_MAX_ENUM : constant VkInternalAllocationType := 2147483647; -- vulkan_core.h:857
subtype VkFormat is unsigned;
VK_FORMAT_UNDEFINED : constant VkFormat := 0;
VK_FORMAT_R4G4_UNORM_PACK8 : constant VkFormat := 1;
VK_FORMAT_R4G4B4A4_UNORM_PACK16 : constant VkFormat := 2;
VK_FORMAT_B4G4R4A4_UNORM_PACK16 : constant VkFormat := 3;
VK_FORMAT_R5G6B5_UNORM_PACK16 : constant VkFormat := 4;
VK_FORMAT_B5G6R5_UNORM_PACK16 : constant VkFormat := 5;
VK_FORMAT_R5G5B5A1_UNORM_PACK16 : constant VkFormat := 6;
VK_FORMAT_B5G5R5A1_UNORM_PACK16 : constant VkFormat := 7;
VK_FORMAT_A1R5G5B5_UNORM_PACK16 : constant VkFormat := 8;
VK_FORMAT_R8_UNORM : constant VkFormat := 9;
VK_FORMAT_R8_SNORM : constant VkFormat := 10;
VK_FORMAT_R8_USCALED : constant VkFormat := 11;
VK_FORMAT_R8_SSCALED : constant VkFormat := 12;
VK_FORMAT_R8_UINT : constant VkFormat := 13;
VK_FORMAT_R8_SINT : constant VkFormat := 14;
VK_FORMAT_R8_SRGB : constant VkFormat := 15;
VK_FORMAT_R8G8_UNORM : constant VkFormat := 16;
VK_FORMAT_R8G8_SNORM : constant VkFormat := 17;
VK_FORMAT_R8G8_USCALED : constant VkFormat := 18;
VK_FORMAT_R8G8_SSCALED : constant VkFormat := 19;
VK_FORMAT_R8G8_UINT : constant VkFormat := 20;
VK_FORMAT_R8G8_SINT : constant VkFormat := 21;
VK_FORMAT_R8G8_SRGB : constant VkFormat := 22;
VK_FORMAT_R8G8B8_UNORM : constant VkFormat := 23;
VK_FORMAT_R8G8B8_SNORM : constant VkFormat := 24;
VK_FORMAT_R8G8B8_USCALED : constant VkFormat := 25;
VK_FORMAT_R8G8B8_SSCALED : constant VkFormat := 26;
VK_FORMAT_R8G8B8_UINT : constant VkFormat := 27;
VK_FORMAT_R8G8B8_SINT : constant VkFormat := 28;
VK_FORMAT_R8G8B8_SRGB : constant VkFormat := 29;
VK_FORMAT_B8G8R8_UNORM : constant VkFormat := 30;
VK_FORMAT_B8G8R8_SNORM : constant VkFormat := 31;
VK_FORMAT_B8G8R8_USCALED : constant VkFormat := 32;
VK_FORMAT_B8G8R8_SSCALED : constant VkFormat := 33;
VK_FORMAT_B8G8R8_UINT : constant VkFormat := 34;
VK_FORMAT_B8G8R8_SINT : constant VkFormat := 35;
VK_FORMAT_B8G8R8_SRGB : constant VkFormat := 36;
VK_FORMAT_R8G8B8A8_UNORM : constant VkFormat := 37;
VK_FORMAT_R8G8B8A8_SNORM : constant VkFormat := 38;
VK_FORMAT_R8G8B8A8_USCALED : constant VkFormat := 39;
VK_FORMAT_R8G8B8A8_SSCALED : constant VkFormat := 40;
VK_FORMAT_R8G8B8A8_UINT : constant VkFormat := 41;
VK_FORMAT_R8G8B8A8_SINT : constant VkFormat := 42;
VK_FORMAT_R8G8B8A8_SRGB : constant VkFormat := 43;
VK_FORMAT_B8G8R8A8_UNORM : constant VkFormat := 44;
VK_FORMAT_B8G8R8A8_SNORM : constant VkFormat := 45;
VK_FORMAT_B8G8R8A8_USCALED : constant VkFormat := 46;
VK_FORMAT_B8G8R8A8_SSCALED : constant VkFormat := 47;
VK_FORMAT_B8G8R8A8_UINT : constant VkFormat := 48;
VK_FORMAT_B8G8R8A8_SINT : constant VkFormat := 49;
VK_FORMAT_B8G8R8A8_SRGB : constant VkFormat := 50;
VK_FORMAT_A8B8G8R8_UNORM_PACK32 : constant VkFormat := 51;
VK_FORMAT_A8B8G8R8_SNORM_PACK32 : constant VkFormat := 52;
VK_FORMAT_A8B8G8R8_USCALED_PACK32 : constant VkFormat := 53;
VK_FORMAT_A8B8G8R8_SSCALED_PACK32 : constant VkFormat := 54;
VK_FORMAT_A8B8G8R8_UINT_PACK32 : constant VkFormat := 55;
VK_FORMAT_A8B8G8R8_SINT_PACK32 : constant VkFormat := 56;
VK_FORMAT_A8B8G8R8_SRGB_PACK32 : constant VkFormat := 57;
VK_FORMAT_A2R10G10B10_UNORM_PACK32 : constant VkFormat := 58;
VK_FORMAT_A2R10G10B10_SNORM_PACK32 : constant VkFormat := 59;
VK_FORMAT_A2R10G10B10_USCALED_PACK32 : constant VkFormat := 60;
VK_FORMAT_A2R10G10B10_SSCALED_PACK32 : constant VkFormat := 61;
VK_FORMAT_A2R10G10B10_UINT_PACK32 : constant VkFormat := 62;
VK_FORMAT_A2R10G10B10_SINT_PACK32 : constant VkFormat := 63;
VK_FORMAT_A2B10G10R10_UNORM_PACK32 : constant VkFormat := 64;
VK_FORMAT_A2B10G10R10_SNORM_PACK32 : constant VkFormat := 65;
VK_FORMAT_A2B10G10R10_USCALED_PACK32 : constant VkFormat := 66;
VK_FORMAT_A2B10G10R10_SSCALED_PACK32 : constant VkFormat := 67;
VK_FORMAT_A2B10G10R10_UINT_PACK32 : constant VkFormat := 68;
VK_FORMAT_A2B10G10R10_SINT_PACK32 : constant VkFormat := 69;
VK_FORMAT_R16_UNORM : constant VkFormat := 70;
VK_FORMAT_R16_SNORM : constant VkFormat := 71;
VK_FORMAT_R16_USCALED : constant VkFormat := 72;
VK_FORMAT_R16_SSCALED : constant VkFormat := 73;
VK_FORMAT_R16_UINT : constant VkFormat := 74;
VK_FORMAT_R16_SINT : constant VkFormat := 75;
VK_FORMAT_R16_SFLOAT : constant VkFormat := 76;
VK_FORMAT_R16G16_UNORM : constant VkFormat := 77;
VK_FORMAT_R16G16_SNORM : constant VkFormat := 78;
VK_FORMAT_R16G16_USCALED : constant VkFormat := 79;
VK_FORMAT_R16G16_SSCALED : constant VkFormat := 80;
VK_FORMAT_R16G16_UINT : constant VkFormat := 81;
VK_FORMAT_R16G16_SINT : constant VkFormat := 82;
VK_FORMAT_R16G16_SFLOAT : constant VkFormat := 83;
VK_FORMAT_R16G16B16_UNORM : constant VkFormat := 84;
VK_FORMAT_R16G16B16_SNORM : constant VkFormat := 85;
VK_FORMAT_R16G16B16_USCALED : constant VkFormat := 86;
VK_FORMAT_R16G16B16_SSCALED : constant VkFormat := 87;
VK_FORMAT_R16G16B16_UINT : constant VkFormat := 88;
VK_FORMAT_R16G16B16_SINT : constant VkFormat := 89;
VK_FORMAT_R16G16B16_SFLOAT : constant VkFormat := 90;
VK_FORMAT_R16G16B16A16_UNORM : constant VkFormat := 91;
VK_FORMAT_R16G16B16A16_SNORM : constant VkFormat := 92;
VK_FORMAT_R16G16B16A16_USCALED : constant VkFormat := 93;
VK_FORMAT_R16G16B16A16_SSCALED : constant VkFormat := 94;
VK_FORMAT_R16G16B16A16_UINT : constant VkFormat := 95;
VK_FORMAT_R16G16B16A16_SINT : constant VkFormat := 96;
VK_FORMAT_R16G16B16A16_SFLOAT : constant VkFormat := 97;
VK_FORMAT_R32_UINT : constant VkFormat := 98;
VK_FORMAT_R32_SINT : constant VkFormat := 99;
VK_FORMAT_R32_SFLOAT : constant VkFormat := 100;
VK_FORMAT_R32G32_UINT : constant VkFormat := 101;
VK_FORMAT_R32G32_SINT : constant VkFormat := 102;
VK_FORMAT_R32G32_SFLOAT : constant VkFormat := 103;
VK_FORMAT_R32G32B32_UINT : constant VkFormat := 104;
VK_FORMAT_R32G32B32_SINT : constant VkFormat := 105;
VK_FORMAT_R32G32B32_SFLOAT : constant VkFormat := 106;
VK_FORMAT_R32G32B32A32_UINT : constant VkFormat := 107;
VK_FORMAT_R32G32B32A32_SINT : constant VkFormat := 108;
VK_FORMAT_R32G32B32A32_SFLOAT : constant VkFormat := 109;
VK_FORMAT_R64_UINT : constant VkFormat := 110;
VK_FORMAT_R64_SINT : constant VkFormat := 111;
VK_FORMAT_R64_SFLOAT : constant VkFormat := 112;
VK_FORMAT_R64G64_UINT : constant VkFormat := 113;
VK_FORMAT_R64G64_SINT : constant VkFormat := 114;
VK_FORMAT_R64G64_SFLOAT : constant VkFormat := 115;
VK_FORMAT_R64G64B64_UINT : constant VkFormat := 116;
VK_FORMAT_R64G64B64_SINT : constant VkFormat := 117;
VK_FORMAT_R64G64B64_SFLOAT : constant VkFormat := 118;
VK_FORMAT_R64G64B64A64_UINT : constant VkFormat := 119;
VK_FORMAT_R64G64B64A64_SINT : constant VkFormat := 120;
VK_FORMAT_R64G64B64A64_SFLOAT : constant VkFormat := 121;
VK_FORMAT_B10G11R11_UFLOAT_PACK32 : constant VkFormat := 122;
VK_FORMAT_E5B9G9R9_UFLOAT_PACK32 : constant VkFormat := 123;
VK_FORMAT_D16_UNORM : constant VkFormat := 124;
VK_FORMAT_X8_D24_UNORM_PACK32 : constant VkFormat := 125;
VK_FORMAT_D32_SFLOAT : constant VkFormat := 126;
VK_FORMAT_S8_UINT : constant VkFormat := 127;
VK_FORMAT_D16_UNORM_S8_UINT : constant VkFormat := 128;
VK_FORMAT_D24_UNORM_S8_UINT : constant VkFormat := 129;
VK_FORMAT_D32_SFLOAT_S8_UINT : constant VkFormat := 130;
VK_FORMAT_BC1_RGB_UNORM_BLOCK : constant VkFormat := 131;
VK_FORMAT_BC1_RGB_SRGB_BLOCK : constant VkFormat := 132;
VK_FORMAT_BC1_RGBA_UNORM_BLOCK : constant VkFormat := 133;
VK_FORMAT_BC1_RGBA_SRGB_BLOCK : constant VkFormat := 134;
VK_FORMAT_BC2_UNORM_BLOCK : constant VkFormat := 135;
VK_FORMAT_BC2_SRGB_BLOCK : constant VkFormat := 136;
VK_FORMAT_BC3_UNORM_BLOCK : constant VkFormat := 137;
VK_FORMAT_BC3_SRGB_BLOCK : constant VkFormat := 138;
VK_FORMAT_BC4_UNORM_BLOCK : constant VkFormat := 139;
VK_FORMAT_BC4_SNORM_BLOCK : constant VkFormat := 140;
VK_FORMAT_BC5_UNORM_BLOCK : constant VkFormat := 141;
VK_FORMAT_BC5_SNORM_BLOCK : constant VkFormat := 142;
VK_FORMAT_BC6H_UFLOAT_BLOCK : constant VkFormat := 143;
VK_FORMAT_BC6H_SFLOAT_BLOCK : constant VkFormat := 144;
VK_FORMAT_BC7_UNORM_BLOCK : constant VkFormat := 145;
VK_FORMAT_BC7_SRGB_BLOCK : constant VkFormat := 146;
VK_FORMAT_ETC2_R8G8B8_UNORM_BLOCK : constant VkFormat := 147;
VK_FORMAT_ETC2_R8G8B8_SRGB_BLOCK : constant VkFormat := 148;
VK_FORMAT_ETC2_R8G8B8A1_UNORM_BLOCK : constant VkFormat := 149;
VK_FORMAT_ETC2_R8G8B8A1_SRGB_BLOCK : constant VkFormat := 150;
VK_FORMAT_ETC2_R8G8B8A8_UNORM_BLOCK : constant VkFormat := 151;
VK_FORMAT_ETC2_R8G8B8A8_SRGB_BLOCK : constant VkFormat := 152;
VK_FORMAT_EAC_R11_UNORM_BLOCK : constant VkFormat := 153;
VK_FORMAT_EAC_R11_SNORM_BLOCK : constant VkFormat := 154;
VK_FORMAT_EAC_R11G11_UNORM_BLOCK : constant VkFormat := 155;
VK_FORMAT_EAC_R11G11_SNORM_BLOCK : constant VkFormat := 156;
VK_FORMAT_ASTC_4x4_UNORM_BLOCK : constant VkFormat := 157;
VK_FORMAT_ASTC_4x4_SRGB_BLOCK : constant VkFormat := 158;
VK_FORMAT_ASTC_5x4_UNORM_BLOCK : constant VkFormat := 159;
VK_FORMAT_ASTC_5x4_SRGB_BLOCK : constant VkFormat := 160;
VK_FORMAT_ASTC_5x5_UNORM_BLOCK : constant VkFormat := 161;
VK_FORMAT_ASTC_5x5_SRGB_BLOCK : constant VkFormat := 162;
VK_FORMAT_ASTC_6x5_UNORM_BLOCK : constant VkFormat := 163;
VK_FORMAT_ASTC_6x5_SRGB_BLOCK : constant VkFormat := 164;
VK_FORMAT_ASTC_6x6_UNORM_BLOCK : constant VkFormat := 165;
VK_FORMAT_ASTC_6x6_SRGB_BLOCK : constant VkFormat := 166;
VK_FORMAT_ASTC_8x5_UNORM_BLOCK : constant VkFormat := 167;
VK_FORMAT_ASTC_8x5_SRGB_BLOCK : constant VkFormat := 168;
VK_FORMAT_ASTC_8x6_UNORM_BLOCK : constant VkFormat := 169;
VK_FORMAT_ASTC_8x6_SRGB_BLOCK : constant VkFormat := 170;
VK_FORMAT_ASTC_8x8_UNORM_BLOCK : constant VkFormat := 171;
VK_FORMAT_ASTC_8x8_SRGB_BLOCK : constant VkFormat := 172;
VK_FORMAT_ASTC_10x5_UNORM_BLOCK : constant VkFormat := 173;
VK_FORMAT_ASTC_10x5_SRGB_BLOCK : constant VkFormat := 174;
VK_FORMAT_ASTC_10x6_UNORM_BLOCK : constant VkFormat := 175;
VK_FORMAT_ASTC_10x6_SRGB_BLOCK : constant VkFormat := 176;
VK_FORMAT_ASTC_10x8_UNORM_BLOCK : constant VkFormat := 177;
VK_FORMAT_ASTC_10x8_SRGB_BLOCK : constant VkFormat := 178;
VK_FORMAT_ASTC_10x10_UNORM_BLOCK : constant VkFormat := 179;
VK_FORMAT_ASTC_10x10_SRGB_BLOCK : constant VkFormat := 180;
VK_FORMAT_ASTC_12x10_UNORM_BLOCK : constant VkFormat := 181;
VK_FORMAT_ASTC_12x10_SRGB_BLOCK : constant VkFormat := 182;
VK_FORMAT_ASTC_12x12_UNORM_BLOCK : constant VkFormat := 183;
VK_FORMAT_ASTC_12x12_SRGB_BLOCK : constant VkFormat := 184;
VK_FORMAT_G8B8G8R8_422_UNORM : constant VkFormat := 1000156000;
VK_FORMAT_B8G8R8G8_422_UNORM : constant VkFormat := 1000156001;
VK_FORMAT_G8_B8_R8_3PLANE_420_UNORM : constant VkFormat := 1000156002;
VK_FORMAT_G8_B8R8_2PLANE_420_UNORM : constant VkFormat := 1000156003;
VK_FORMAT_G8_B8_R8_3PLANE_422_UNORM : constant VkFormat := 1000156004;
VK_FORMAT_G8_B8R8_2PLANE_422_UNORM : constant VkFormat := 1000156005;
VK_FORMAT_G8_B8_R8_3PLANE_444_UNORM : constant VkFormat := 1000156006;
VK_FORMAT_R10X6_UNORM_PACK16 : constant VkFormat := 1000156007;
VK_FORMAT_R10X6G10X6_UNORM_2PACK16 : constant VkFormat := 1000156008;
VK_FORMAT_R10X6G10X6B10X6A10X6_UNORM_4PACK16 : constant VkFormat := 1000156009;
VK_FORMAT_G10X6B10X6G10X6R10X6_422_UNORM_4PACK16 : constant VkFormat := 1000156010;
VK_FORMAT_B10X6G10X6R10X6G10X6_422_UNORM_4PACK16 : constant VkFormat := 1000156011;
VK_FORMAT_G10X6_B10X6_R10X6_3PLANE_420_UNORM_3PACK16 : constant VkFormat := 1000156012;
VK_FORMAT_G10X6_B10X6R10X6_2PLANE_420_UNORM_3PACK16 : constant VkFormat := 1000156013;
VK_FORMAT_G10X6_B10X6_R10X6_3PLANE_422_UNORM_3PACK16 : constant VkFormat := 1000156014;
VK_FORMAT_G10X6_B10X6R10X6_2PLANE_422_UNORM_3PACK16 : constant VkFormat := 1000156015;
VK_FORMAT_G10X6_B10X6_R10X6_3PLANE_444_UNORM_3PACK16 : constant VkFormat := 1000156016;
VK_FORMAT_R12X4_UNORM_PACK16 : constant VkFormat := 1000156017;
VK_FORMAT_R12X4G12X4_UNORM_2PACK16 : constant VkFormat := 1000156018;
VK_FORMAT_R12X4G12X4B12X4A12X4_UNORM_4PACK16 : constant VkFormat := 1000156019;
VK_FORMAT_G12X4B12X4G12X4R12X4_422_UNORM_4PACK16 : constant VkFormat := 1000156020;
VK_FORMAT_B12X4G12X4R12X4G12X4_422_UNORM_4PACK16 : constant VkFormat := 1000156021;
VK_FORMAT_G12X4_B12X4_R12X4_3PLANE_420_UNORM_3PACK16 : constant VkFormat := 1000156022;
VK_FORMAT_G12X4_B12X4R12X4_2PLANE_420_UNORM_3PACK16 : constant VkFormat := 1000156023;
VK_FORMAT_G12X4_B12X4_R12X4_3PLANE_422_UNORM_3PACK16 : constant VkFormat := 1000156024;
VK_FORMAT_G12X4_B12X4R12X4_2PLANE_422_UNORM_3PACK16 : constant VkFormat := 1000156025;
VK_FORMAT_G12X4_B12X4_R12X4_3PLANE_444_UNORM_3PACK16 : constant VkFormat := 1000156026;
VK_FORMAT_G16B16G16R16_422_UNORM : constant VkFormat := 1000156027;
VK_FORMAT_B16G16R16G16_422_UNORM : constant VkFormat := 1000156028;
VK_FORMAT_G16_B16_R16_3PLANE_420_UNORM : constant VkFormat := 1000156029;
VK_FORMAT_G16_B16R16_2PLANE_420_UNORM : constant VkFormat := 1000156030;
VK_FORMAT_G16_B16_R16_3PLANE_422_UNORM : constant VkFormat := 1000156031;
VK_FORMAT_G16_B16R16_2PLANE_422_UNORM : constant VkFormat := 1000156032;
VK_FORMAT_G16_B16_R16_3PLANE_444_UNORM : constant VkFormat := 1000156033;
VK_FORMAT_PVRTC1_2BPP_UNORM_BLOCK_IMG : constant VkFormat := 1000054000;
VK_FORMAT_PVRTC1_4BPP_UNORM_BLOCK_IMG : constant VkFormat := 1000054001;
VK_FORMAT_PVRTC2_2BPP_UNORM_BLOCK_IMG : constant VkFormat := 1000054002;
VK_FORMAT_PVRTC2_4BPP_UNORM_BLOCK_IMG : constant VkFormat := 1000054003;
VK_FORMAT_PVRTC1_2BPP_SRGB_BLOCK_IMG : constant VkFormat := 1000054004;
VK_FORMAT_PVRTC1_4BPP_SRGB_BLOCK_IMG : constant VkFormat := 1000054005;
VK_FORMAT_PVRTC2_2BPP_SRGB_BLOCK_IMG : constant VkFormat := 1000054006;
VK_FORMAT_PVRTC2_4BPP_SRGB_BLOCK_IMG : constant VkFormat := 1000054007;
VK_FORMAT_ASTC_4x4_SFLOAT_BLOCK_EXT : constant VkFormat := 1000066000;
VK_FORMAT_ASTC_5x4_SFLOAT_BLOCK_EXT : constant VkFormat := 1000066001;
VK_FORMAT_ASTC_5x5_SFLOAT_BLOCK_EXT : constant VkFormat := 1000066002;
VK_FORMAT_ASTC_6x5_SFLOAT_BLOCK_EXT : constant VkFormat := 1000066003;
VK_FORMAT_ASTC_6x6_SFLOAT_BLOCK_EXT : constant VkFormat := 1000066004;
VK_FORMAT_ASTC_8x5_SFLOAT_BLOCK_EXT : constant VkFormat := 1000066005;
VK_FORMAT_ASTC_8x6_SFLOAT_BLOCK_EXT : constant VkFormat := 1000066006;
VK_FORMAT_ASTC_8x8_SFLOAT_BLOCK_EXT : constant VkFormat := 1000066007;
VK_FORMAT_ASTC_10x5_SFLOAT_BLOCK_EXT : constant VkFormat := 1000066008;
VK_FORMAT_ASTC_10x6_SFLOAT_BLOCK_EXT : constant VkFormat := 1000066009;
VK_FORMAT_ASTC_10x8_SFLOAT_BLOCK_EXT : constant VkFormat := 1000066010;
VK_FORMAT_ASTC_10x10_SFLOAT_BLOCK_EXT : constant VkFormat := 1000066011;
VK_FORMAT_ASTC_12x10_SFLOAT_BLOCK_EXT : constant VkFormat := 1000066012;
VK_FORMAT_ASTC_12x12_SFLOAT_BLOCK_EXT : constant VkFormat := 1000066013;
VK_FORMAT_A4R4G4B4_UNORM_PACK16_EXT : constant VkFormat := 1000340000;
VK_FORMAT_A4B4G4R4_UNORM_PACK16_EXT : constant VkFormat := 1000340001;
VK_FORMAT_G8B8G8R8_422_UNORM_KHR : constant VkFormat := 1000156000;
VK_FORMAT_B8G8R8G8_422_UNORM_KHR : constant VkFormat := 1000156001;
VK_FORMAT_G8_B8_R8_3PLANE_420_UNORM_KHR : constant VkFormat := 1000156002;
VK_FORMAT_G8_B8R8_2PLANE_420_UNORM_KHR : constant VkFormat := 1000156003;
VK_FORMAT_G8_B8_R8_3PLANE_422_UNORM_KHR : constant VkFormat := 1000156004;
VK_FORMAT_G8_B8R8_2PLANE_422_UNORM_KHR : constant VkFormat := 1000156005;
VK_FORMAT_G8_B8_R8_3PLANE_444_UNORM_KHR : constant VkFormat := 1000156006;
VK_FORMAT_R10X6_UNORM_PACK16_KHR : constant VkFormat := 1000156007;
VK_FORMAT_R10X6G10X6_UNORM_2PACK16_KHR : constant VkFormat := 1000156008;
VK_FORMAT_R10X6G10X6B10X6A10X6_UNORM_4PACK16_KHR : constant VkFormat := 1000156009;
VK_FORMAT_G10X6B10X6G10X6R10X6_422_UNORM_4PACK16_KHR : constant VkFormat := 1000156010;
VK_FORMAT_B10X6G10X6R10X6G10X6_422_UNORM_4PACK16_KHR : constant VkFormat := 1000156011;
VK_FORMAT_G10X6_B10X6_R10X6_3PLANE_420_UNORM_3PACK16_KHR : constant VkFormat := 1000156012;
VK_FORMAT_G10X6_B10X6R10X6_2PLANE_420_UNORM_3PACK16_KHR : constant VkFormat := 1000156013;
VK_FORMAT_G10X6_B10X6_R10X6_3PLANE_422_UNORM_3PACK16_KHR : constant VkFormat := 1000156014;
VK_FORMAT_G10X6_B10X6R10X6_2PLANE_422_UNORM_3PACK16_KHR : constant VkFormat := 1000156015;
VK_FORMAT_G10X6_B10X6_R10X6_3PLANE_444_UNORM_3PACK16_KHR : constant VkFormat := 1000156016;
VK_FORMAT_R12X4_UNORM_PACK16_KHR : constant VkFormat := 1000156017;
VK_FORMAT_R12X4G12X4_UNORM_2PACK16_KHR : constant VkFormat := 1000156018;
VK_FORMAT_R12X4G12X4B12X4A12X4_UNORM_4PACK16_KHR : constant VkFormat := 1000156019;
VK_FORMAT_G12X4B12X4G12X4R12X4_422_UNORM_4PACK16_KHR : constant VkFormat := 1000156020;
VK_FORMAT_B12X4G12X4R12X4G12X4_422_UNORM_4PACK16_KHR : constant VkFormat := 1000156021;
VK_FORMAT_G12X4_B12X4_R12X4_3PLANE_420_UNORM_3PACK16_KHR : constant VkFormat := 1000156022;
VK_FORMAT_G12X4_B12X4R12X4_2PLANE_420_UNORM_3PACK16_KHR : constant VkFormat := 1000156023;
VK_FORMAT_G12X4_B12X4_R12X4_3PLANE_422_UNORM_3PACK16_KHR : constant VkFormat := 1000156024;
VK_FORMAT_G12X4_B12X4R12X4_2PLANE_422_UNORM_3PACK16_KHR : constant VkFormat := 1000156025;
VK_FORMAT_G12X4_B12X4_R12X4_3PLANE_444_UNORM_3PACK16_KHR : constant VkFormat := 1000156026;
VK_FORMAT_G16B16G16R16_422_UNORM_KHR : constant VkFormat := 1000156027;
VK_FORMAT_B16G16R16G16_422_UNORM_KHR : constant VkFormat := 1000156028;
VK_FORMAT_G16_B16_R16_3PLANE_420_UNORM_KHR : constant VkFormat := 1000156029;
VK_FORMAT_G16_B16R16_2PLANE_420_UNORM_KHR : constant VkFormat := 1000156030;
VK_FORMAT_G16_B16_R16_3PLANE_422_UNORM_KHR : constant VkFormat := 1000156031;
VK_FORMAT_G16_B16R16_2PLANE_422_UNORM_KHR : constant VkFormat := 1000156032;
VK_FORMAT_G16_B16_R16_3PLANE_444_UNORM_KHR : constant VkFormat := 1000156033;
VK_FORMAT_MAX_ENUM : constant VkFormat := 2147483647; -- vulkan_core.h:862
subtype VkImageTiling is unsigned;
VK_IMAGE_TILING_OPTIMAL : constant VkImageTiling := 0;
VK_IMAGE_TILING_LINEAR : constant VkImageTiling := 1;
VK_IMAGE_TILING_DRM_FORMAT_MODIFIER_EXT : constant VkImageTiling := 1000158000;
VK_IMAGE_TILING_MAX_ENUM : constant VkImageTiling := 2147483647; -- vulkan_core.h:1143
subtype VkImageType is unsigned;
VK_IMAGE_TYPE_1D : constant VkImageType := 0;
VK_IMAGE_TYPE_2D : constant VkImageType := 1;
VK_IMAGE_TYPE_3D : constant VkImageType := 2;
VK_IMAGE_TYPE_MAX_ENUM : constant VkImageType := 2147483647; -- vulkan_core.h:1150
subtype VkPhysicalDeviceType is unsigned;
VK_PHYSICAL_DEVICE_TYPE_OTHER : constant VkPhysicalDeviceType := 0;
VK_PHYSICAL_DEVICE_TYPE_INTEGRATED_GPU : constant VkPhysicalDeviceType := 1;
VK_PHYSICAL_DEVICE_TYPE_DISCRETE_GPU : constant VkPhysicalDeviceType := 2;
VK_PHYSICAL_DEVICE_TYPE_VIRTUAL_GPU : constant VkPhysicalDeviceType := 3;
VK_PHYSICAL_DEVICE_TYPE_CPU : constant VkPhysicalDeviceType := 4;
VK_PHYSICAL_DEVICE_TYPE_MAX_ENUM : constant VkPhysicalDeviceType := 2147483647; -- vulkan_core.h:1157
subtype VkQueryType is unsigned;
VK_QUERY_TYPE_OCCLUSION : constant VkQueryType := 0;
VK_QUERY_TYPE_PIPELINE_STATISTICS : constant VkQueryType := 1;
VK_QUERY_TYPE_TIMESTAMP : constant VkQueryType := 2;
VK_QUERY_TYPE_TRANSFORM_FEEDBACK_STREAM_EXT : constant VkQueryType := 1000028004;
VK_QUERY_TYPE_PERFORMANCE_QUERY_KHR : constant VkQueryType := 1000116000;
VK_QUERY_TYPE_ACCELERATION_STRUCTURE_COMPACTED_SIZE_KHR : constant VkQueryType := 1000150000;
VK_QUERY_TYPE_ACCELERATION_STRUCTURE_SERIALIZATION_SIZE_KHR : constant VkQueryType := 1000150001;
VK_QUERY_TYPE_ACCELERATION_STRUCTURE_COMPACTED_SIZE_NV : constant VkQueryType := 1000165000;
VK_QUERY_TYPE_PERFORMANCE_QUERY_INTEL : constant VkQueryType := 1000210000;
VK_QUERY_TYPE_MAX_ENUM : constant VkQueryType := 2147483647; -- vulkan_core.h:1166
subtype VkSharingMode is unsigned;
VK_SHARING_MODE_EXCLUSIVE : constant VkSharingMode := 0;
VK_SHARING_MODE_CONCURRENT : constant VkSharingMode := 1;
VK_SHARING_MODE_MAX_ENUM : constant VkSharingMode := 2147483647; -- vulkan_core.h:1179
subtype VkComponentSwizzle is unsigned;
VK_COMPONENT_SWIZZLE_IDENTITY : constant VkComponentSwizzle := 0;
VK_COMPONENT_SWIZZLE_ZERO : constant VkComponentSwizzle := 1;
VK_COMPONENT_SWIZZLE_ONE : constant VkComponentSwizzle := 2;
VK_COMPONENT_SWIZZLE_R : constant VkComponentSwizzle := 3;
VK_COMPONENT_SWIZZLE_G : constant VkComponentSwizzle := 4;
VK_COMPONENT_SWIZZLE_B : constant VkComponentSwizzle := 5;
VK_COMPONENT_SWIZZLE_A : constant VkComponentSwizzle := 6;
VK_COMPONENT_SWIZZLE_MAX_ENUM : constant VkComponentSwizzle := 2147483647; -- vulkan_core.h:1185
subtype VkImageViewType is unsigned;
VK_IMAGE_VIEW_TYPE_1D : constant VkImageViewType := 0;
VK_IMAGE_VIEW_TYPE_2D : constant VkImageViewType := 1;
VK_IMAGE_VIEW_TYPE_3D : constant VkImageViewType := 2;
VK_IMAGE_VIEW_TYPE_CUBE : constant VkImageViewType := 3;
VK_IMAGE_VIEW_TYPE_1D_ARRAY : constant VkImageViewType := 4;
VK_IMAGE_VIEW_TYPE_2D_ARRAY : constant VkImageViewType := 5;
VK_IMAGE_VIEW_TYPE_CUBE_ARRAY : constant VkImageViewType := 6;
VK_IMAGE_VIEW_TYPE_MAX_ENUM : constant VkImageViewType := 2147483647; -- vulkan_core.h:1196
subtype VkBlendFactor is unsigned;
VK_BLEND_FACTOR_ZERO : constant VkBlendFactor := 0;
VK_BLEND_FACTOR_ONE : constant VkBlendFactor := 1;
VK_BLEND_FACTOR_SRC_COLOR : constant VkBlendFactor := 2;
VK_BLEND_FACTOR_ONE_MINUS_SRC_COLOR : constant VkBlendFactor := 3;
VK_BLEND_FACTOR_DST_COLOR : constant VkBlendFactor := 4;
VK_BLEND_FACTOR_ONE_MINUS_DST_COLOR : constant VkBlendFactor := 5;
VK_BLEND_FACTOR_SRC_ALPHA : constant VkBlendFactor := 6;
VK_BLEND_FACTOR_ONE_MINUS_SRC_ALPHA : constant VkBlendFactor := 7;
VK_BLEND_FACTOR_DST_ALPHA : constant VkBlendFactor := 8;
VK_BLEND_FACTOR_ONE_MINUS_DST_ALPHA : constant VkBlendFactor := 9;
VK_BLEND_FACTOR_CONSTANT_COLOR : constant VkBlendFactor := 10;
VK_BLEND_FACTOR_ONE_MINUS_CONSTANT_COLOR : constant VkBlendFactor := 11;
VK_BLEND_FACTOR_CONSTANT_ALPHA : constant VkBlendFactor := 12;
VK_BLEND_FACTOR_ONE_MINUS_CONSTANT_ALPHA : constant VkBlendFactor := 13;
VK_BLEND_FACTOR_SRC_ALPHA_SATURATE : constant VkBlendFactor := 14;
VK_BLEND_FACTOR_SRC1_COLOR : constant VkBlendFactor := 15;
VK_BLEND_FACTOR_ONE_MINUS_SRC1_COLOR : constant VkBlendFactor := 16;
VK_BLEND_FACTOR_SRC1_ALPHA : constant VkBlendFactor := 17;
VK_BLEND_FACTOR_ONE_MINUS_SRC1_ALPHA : constant VkBlendFactor := 18;
VK_BLEND_FACTOR_MAX_ENUM : constant VkBlendFactor := 2147483647; -- vulkan_core.h:1207
subtype VkBlendOp is unsigned;
VK_BLEND_OP_ADD : constant VkBlendOp := 0;
VK_BLEND_OP_SUBTRACT : constant VkBlendOp := 1;
VK_BLEND_OP_REVERSE_SUBTRACT : constant VkBlendOp := 2;
VK_BLEND_OP_MIN : constant VkBlendOp := 3;
VK_BLEND_OP_MAX : constant VkBlendOp := 4;
VK_BLEND_OP_ZERO_EXT : constant VkBlendOp := 1000148000;
VK_BLEND_OP_SRC_EXT : constant VkBlendOp := 1000148001;
VK_BLEND_OP_DST_EXT : constant VkBlendOp := 1000148002;
VK_BLEND_OP_SRC_OVER_EXT : constant VkBlendOp := 1000148003;
VK_BLEND_OP_DST_OVER_EXT : constant VkBlendOp := 1000148004;
VK_BLEND_OP_SRC_IN_EXT : constant VkBlendOp := 1000148005;
VK_BLEND_OP_DST_IN_EXT : constant VkBlendOp := 1000148006;
VK_BLEND_OP_SRC_OUT_EXT : constant VkBlendOp := 1000148007;
VK_BLEND_OP_DST_OUT_EXT : constant VkBlendOp := 1000148008;
VK_BLEND_OP_SRC_ATOP_EXT : constant VkBlendOp := 1000148009;
VK_BLEND_OP_DST_ATOP_EXT : constant VkBlendOp := 1000148010;
VK_BLEND_OP_XOR_EXT : constant VkBlendOp := 1000148011;
VK_BLEND_OP_MULTIPLY_EXT : constant VkBlendOp := 1000148012;
VK_BLEND_OP_SCREEN_EXT : constant VkBlendOp := 1000148013;
VK_BLEND_OP_OVERLAY_EXT : constant VkBlendOp := 1000148014;
VK_BLEND_OP_DARKEN_EXT : constant VkBlendOp := 1000148015;
VK_BLEND_OP_LIGHTEN_EXT : constant VkBlendOp := 1000148016;
VK_BLEND_OP_COLORDODGE_EXT : constant VkBlendOp := 1000148017;
VK_BLEND_OP_COLORBURN_EXT : constant VkBlendOp := 1000148018;
VK_BLEND_OP_HARDLIGHT_EXT : constant VkBlendOp := 1000148019;
VK_BLEND_OP_SOFTLIGHT_EXT : constant VkBlendOp := 1000148020;
VK_BLEND_OP_DIFFERENCE_EXT : constant VkBlendOp := 1000148021;
VK_BLEND_OP_EXCLUSION_EXT : constant VkBlendOp := 1000148022;
VK_BLEND_OP_INVERT_EXT : constant VkBlendOp := 1000148023;
VK_BLEND_OP_INVERT_RGB_EXT : constant VkBlendOp := 1000148024;
VK_BLEND_OP_LINEARDODGE_EXT : constant VkBlendOp := 1000148025;
VK_BLEND_OP_LINEARBURN_EXT : constant VkBlendOp := 1000148026;
VK_BLEND_OP_VIVIDLIGHT_EXT : constant VkBlendOp := 1000148027;
VK_BLEND_OP_LINEARLIGHT_EXT : constant VkBlendOp := 1000148028;
VK_BLEND_OP_PINLIGHT_EXT : constant VkBlendOp := 1000148029;
VK_BLEND_OP_HARDMIX_EXT : constant VkBlendOp := 1000148030;
VK_BLEND_OP_HSL_HUE_EXT : constant VkBlendOp := 1000148031;
VK_BLEND_OP_HSL_SATURATION_EXT : constant VkBlendOp := 1000148032;
VK_BLEND_OP_HSL_COLOR_EXT : constant VkBlendOp := 1000148033;
VK_BLEND_OP_HSL_LUMINOSITY_EXT : constant VkBlendOp := 1000148034;
VK_BLEND_OP_PLUS_EXT : constant VkBlendOp := 1000148035;
VK_BLEND_OP_PLUS_CLAMPED_EXT : constant VkBlendOp := 1000148036;
VK_BLEND_OP_PLUS_CLAMPED_ALPHA_EXT : constant VkBlendOp := 1000148037;
VK_BLEND_OP_PLUS_DARKER_EXT : constant VkBlendOp := 1000148038;
VK_BLEND_OP_MINUS_EXT : constant VkBlendOp := 1000148039;
VK_BLEND_OP_MINUS_CLAMPED_EXT : constant VkBlendOp := 1000148040;
VK_BLEND_OP_CONTRAST_EXT : constant VkBlendOp := 1000148041;
VK_BLEND_OP_INVERT_OVG_EXT : constant VkBlendOp := 1000148042;
VK_BLEND_OP_RED_EXT : constant VkBlendOp := 1000148043;
VK_BLEND_OP_GREEN_EXT : constant VkBlendOp := 1000148044;
VK_BLEND_OP_BLUE_EXT : constant VkBlendOp := 1000148045;
VK_BLEND_OP_MAX_ENUM : constant VkBlendOp := 2147483647; -- vulkan_core.h:1230
subtype VkCompareOp is unsigned;
VK_COMPARE_OP_NEVER : constant VkCompareOp := 0;
VK_COMPARE_OP_LESS : constant VkCompareOp := 1;
VK_COMPARE_OP_EQUAL : constant VkCompareOp := 2;
VK_COMPARE_OP_LESS_OR_EQUAL : constant VkCompareOp := 3;
VK_COMPARE_OP_GREATER : constant VkCompareOp := 4;
VK_COMPARE_OP_NOT_EQUAL : constant VkCompareOp := 5;
VK_COMPARE_OP_GREATER_OR_EQUAL : constant VkCompareOp := 6;
VK_COMPARE_OP_ALWAYS : constant VkCompareOp := 7;
VK_COMPARE_OP_MAX_ENUM : constant VkCompareOp := 2147483647; -- vulkan_core.h:1285
subtype VkDynamicState is unsigned;
VK_DYNAMIC_STATE_VIEWPORT : constant VkDynamicState := 0;
VK_DYNAMIC_STATE_SCISSOR : constant VkDynamicState := 1;
VK_DYNAMIC_STATE_LINE_WIDTH : constant VkDynamicState := 2;
VK_DYNAMIC_STATE_DEPTH_BIAS : constant VkDynamicState := 3;
VK_DYNAMIC_STATE_BLEND_CONSTANTS : constant VkDynamicState := 4;
VK_DYNAMIC_STATE_DEPTH_BOUNDS : constant VkDynamicState := 5;
VK_DYNAMIC_STATE_STENCIL_COMPARE_MASK : constant VkDynamicState := 6;
VK_DYNAMIC_STATE_STENCIL_WRITE_MASK : constant VkDynamicState := 7;
VK_DYNAMIC_STATE_STENCIL_REFERENCE : constant VkDynamicState := 8;
VK_DYNAMIC_STATE_VIEWPORT_W_SCALING_NV : constant VkDynamicState := 1000087000;
VK_DYNAMIC_STATE_DISCARD_RECTANGLE_EXT : constant VkDynamicState := 1000099000;
VK_DYNAMIC_STATE_SAMPLE_LOCATIONS_EXT : constant VkDynamicState := 1000143000;
VK_DYNAMIC_STATE_RAY_TRACING_PIPELINE_STACK_SIZE_KHR : constant VkDynamicState := 1000347000;
VK_DYNAMIC_STATE_VIEWPORT_SHADING_RATE_PALETTE_NV : constant VkDynamicState := 1000164004;
VK_DYNAMIC_STATE_VIEWPORT_COARSE_SAMPLE_ORDER_NV : constant VkDynamicState := 1000164006;
VK_DYNAMIC_STATE_EXCLUSIVE_SCISSOR_NV : constant VkDynamicState := 1000205001;
VK_DYNAMIC_STATE_FRAGMENT_SHADING_RATE_KHR : constant VkDynamicState := 1000226000;
VK_DYNAMIC_STATE_LINE_STIPPLE_EXT : constant VkDynamicState := 1000259000;
VK_DYNAMIC_STATE_CULL_MODE_EXT : constant VkDynamicState := 1000267000;
VK_DYNAMIC_STATE_FRONT_FACE_EXT : constant VkDynamicState := 1000267001;
VK_DYNAMIC_STATE_PRIMITIVE_TOPOLOGY_EXT : constant VkDynamicState := 1000267002;
VK_DYNAMIC_STATE_VIEWPORT_WITH_COUNT_EXT : constant VkDynamicState := 1000267003;
VK_DYNAMIC_STATE_SCISSOR_WITH_COUNT_EXT : constant VkDynamicState := 1000267004;
VK_DYNAMIC_STATE_VERTEX_INPUT_BINDING_STRIDE_EXT : constant VkDynamicState := 1000267005;
VK_DYNAMIC_STATE_DEPTH_TEST_ENABLE_EXT : constant VkDynamicState := 1000267006;
VK_DYNAMIC_STATE_DEPTH_WRITE_ENABLE_EXT : constant VkDynamicState := 1000267007;
VK_DYNAMIC_STATE_DEPTH_COMPARE_OP_EXT : constant VkDynamicState := 1000267008;
VK_DYNAMIC_STATE_DEPTH_BOUNDS_TEST_ENABLE_EXT : constant VkDynamicState := 1000267009;
VK_DYNAMIC_STATE_STENCIL_TEST_ENABLE_EXT : constant VkDynamicState := 1000267010;
VK_DYNAMIC_STATE_STENCIL_OP_EXT : constant VkDynamicState := 1000267011;
VK_DYNAMIC_STATE_MAX_ENUM : constant VkDynamicState := 2147483647; -- vulkan_core.h:1297
subtype VkFrontFace is unsigned;
VK_FRONT_FACE_COUNTER_CLOCKWISE : constant VkFrontFace := 0;
VK_FRONT_FACE_CLOCKWISE : constant VkFrontFace := 1;
VK_FRONT_FACE_MAX_ENUM : constant VkFrontFace := 2147483647; -- vulkan_core.h:1331
subtype VkVertexInputRate is unsigned;
VK_VERTEX_INPUT_RATE_VERTEX : constant VkVertexInputRate := 0;
VK_VERTEX_INPUT_RATE_INSTANCE : constant VkVertexInputRate := 1;
VK_VERTEX_INPUT_RATE_MAX_ENUM : constant VkVertexInputRate := 2147483647; -- vulkan_core.h:1337
subtype VkPrimitiveTopology is unsigned;
VK_PRIMITIVE_TOPOLOGY_POINT_LIST : constant VkPrimitiveTopology := 0;
VK_PRIMITIVE_TOPOLOGY_LINE_LIST : constant VkPrimitiveTopology := 1;
VK_PRIMITIVE_TOPOLOGY_LINE_STRIP : constant VkPrimitiveTopology := 2;
VK_PRIMITIVE_TOPOLOGY_TRIANGLE_LIST : constant VkPrimitiveTopology := 3;
VK_PRIMITIVE_TOPOLOGY_TRIANGLE_STRIP : constant VkPrimitiveTopology := 4;
VK_PRIMITIVE_TOPOLOGY_TRIANGLE_FAN : constant VkPrimitiveTopology := 5;
VK_PRIMITIVE_TOPOLOGY_LINE_LIST_WITH_ADJACENCY : constant VkPrimitiveTopology := 6;
VK_PRIMITIVE_TOPOLOGY_LINE_STRIP_WITH_ADJACENCY : constant VkPrimitiveTopology := 7;
VK_PRIMITIVE_TOPOLOGY_TRIANGLE_LIST_WITH_ADJACENCY : constant VkPrimitiveTopology := 8;
VK_PRIMITIVE_TOPOLOGY_TRIANGLE_STRIP_WITH_ADJACENCY : constant VkPrimitiveTopology := 9;
VK_PRIMITIVE_TOPOLOGY_PATCH_LIST : constant VkPrimitiveTopology := 10;
VK_PRIMITIVE_TOPOLOGY_MAX_ENUM : constant VkPrimitiveTopology := 2147483647; -- vulkan_core.h:1343
subtype VkPolygonMode is unsigned;
VK_POLYGON_MODE_FILL : constant VkPolygonMode := 0;
VK_POLYGON_MODE_LINE : constant VkPolygonMode := 1;
VK_POLYGON_MODE_POINT : constant VkPolygonMode := 2;
VK_POLYGON_MODE_FILL_RECTANGLE_NV : constant VkPolygonMode := 1000153000;
VK_POLYGON_MODE_MAX_ENUM : constant VkPolygonMode := 2147483647; -- vulkan_core.h:1358
subtype VkStencilOp is unsigned;
VK_STENCIL_OP_KEEP : constant VkStencilOp := 0;
VK_STENCIL_OP_ZERO : constant VkStencilOp := 1;
VK_STENCIL_OP_REPLACE : constant VkStencilOp := 2;
VK_STENCIL_OP_INCREMENT_AND_CLAMP : constant VkStencilOp := 3;
VK_STENCIL_OP_DECREMENT_AND_CLAMP : constant VkStencilOp := 4;
VK_STENCIL_OP_INVERT : constant VkStencilOp := 5;
VK_STENCIL_OP_INCREMENT_AND_WRAP : constant VkStencilOp := 6;
VK_STENCIL_OP_DECREMENT_AND_WRAP : constant VkStencilOp := 7;
VK_STENCIL_OP_MAX_ENUM : constant VkStencilOp := 2147483647; -- vulkan_core.h:1366
subtype VkLogicOp is unsigned;
VK_LOGIC_OP_CLEAR : constant VkLogicOp := 0;
VK_LOGIC_OP_AND : constant VkLogicOp := 1;
VK_LOGIC_OP_AND_REVERSE : constant VkLogicOp := 2;
VK_LOGIC_OP_COPY : constant VkLogicOp := 3;
VK_LOGIC_OP_AND_INVERTED : constant VkLogicOp := 4;
VK_LOGIC_OP_NO_OP : constant VkLogicOp := 5;
VK_LOGIC_OP_XOR : constant VkLogicOp := 6;
VK_LOGIC_OP_OR : constant VkLogicOp := 7;
VK_LOGIC_OP_NOR : constant VkLogicOp := 8;
VK_LOGIC_OP_EQUIVALENT : constant VkLogicOp := 9;
VK_LOGIC_OP_INVERT : constant VkLogicOp := 10;
VK_LOGIC_OP_OR_REVERSE : constant VkLogicOp := 11;
VK_LOGIC_OP_COPY_INVERTED : constant VkLogicOp := 12;
VK_LOGIC_OP_OR_INVERTED : constant VkLogicOp := 13;
VK_LOGIC_OP_NAND : constant VkLogicOp := 14;
VK_LOGIC_OP_SET : constant VkLogicOp := 15;
VK_LOGIC_OP_MAX_ENUM : constant VkLogicOp := 2147483647; -- vulkan_core.h:1378
subtype VkBorderColor is unsigned;
VK_BORDER_COLOR_FLOAT_TRANSPARENT_BLACK : constant VkBorderColor := 0;
VK_BORDER_COLOR_INT_TRANSPARENT_BLACK : constant VkBorderColor := 1;
VK_BORDER_COLOR_FLOAT_OPAQUE_BLACK : constant VkBorderColor := 2;
VK_BORDER_COLOR_INT_OPAQUE_BLACK : constant VkBorderColor := 3;
VK_BORDER_COLOR_FLOAT_OPAQUE_WHITE : constant VkBorderColor := 4;
VK_BORDER_COLOR_INT_OPAQUE_WHITE : constant VkBorderColor := 5;
VK_BORDER_COLOR_FLOAT_CUSTOM_EXT : constant VkBorderColor := 1000287003;
VK_BORDER_COLOR_INT_CUSTOM_EXT : constant VkBorderColor := 1000287004;
VK_BORDER_COLOR_MAX_ENUM : constant VkBorderColor := 2147483647; -- vulkan_core.h:1398
subtype VkFilter is unsigned;
VK_FILTER_NEAREST : constant VkFilter := 0;
VK_FILTER_LINEAR : constant VkFilter := 1;
VK_FILTER_CUBIC_IMG : constant VkFilter := 1000015000;
VK_FILTER_CUBIC_EXT : constant VkFilter := 1000015000;
VK_FILTER_MAX_ENUM : constant VkFilter := 2147483647; -- vulkan_core.h:1410
subtype VkSamplerAddressMode is unsigned;
VK_SAMPLER_ADDRESS_MODE_REPEAT : constant VkSamplerAddressMode := 0;
VK_SAMPLER_ADDRESS_MODE_MIRRORED_REPEAT : constant VkSamplerAddressMode := 1;
VK_SAMPLER_ADDRESS_MODE_CLAMP_TO_EDGE : constant VkSamplerAddressMode := 2;
VK_SAMPLER_ADDRESS_MODE_CLAMP_TO_BORDER : constant VkSamplerAddressMode := 3;
VK_SAMPLER_ADDRESS_MODE_MIRROR_CLAMP_TO_EDGE : constant VkSamplerAddressMode := 4;
VK_SAMPLER_ADDRESS_MODE_MIRROR_CLAMP_TO_EDGE_KHR : constant VkSamplerAddressMode := 4;
VK_SAMPLER_ADDRESS_MODE_MAX_ENUM : constant VkSamplerAddressMode := 2147483647; -- vulkan_core.h:1418
subtype VkSamplerMipmapMode is unsigned;
VK_SAMPLER_MIPMAP_MODE_NEAREST : constant VkSamplerMipmapMode := 0;
VK_SAMPLER_MIPMAP_MODE_LINEAR : constant VkSamplerMipmapMode := 1;
VK_SAMPLER_MIPMAP_MODE_MAX_ENUM : constant VkSamplerMipmapMode := 2147483647; -- vulkan_core.h:1428
subtype VkDescriptorType is unsigned;
VK_DESCRIPTOR_TYPE_SAMPLER : constant VkDescriptorType := 0;
VK_DESCRIPTOR_TYPE_COMBINED_IMAGE_SAMPLER : constant VkDescriptorType := 1;
VK_DESCRIPTOR_TYPE_SAMPLED_IMAGE : constant VkDescriptorType := 2;
VK_DESCRIPTOR_TYPE_STORAGE_IMAGE : constant VkDescriptorType := 3;
VK_DESCRIPTOR_TYPE_UNIFORM_TEXEL_BUFFER : constant VkDescriptorType := 4;
VK_DESCRIPTOR_TYPE_STORAGE_TEXEL_BUFFER : constant VkDescriptorType := 5;
VK_DESCRIPTOR_TYPE_UNIFORM_BUFFER : constant VkDescriptorType := 6;
VK_DESCRIPTOR_TYPE_STORAGE_BUFFER : constant VkDescriptorType := 7;
VK_DESCRIPTOR_TYPE_UNIFORM_BUFFER_DYNAMIC : constant VkDescriptorType := 8;
VK_DESCRIPTOR_TYPE_STORAGE_BUFFER_DYNAMIC : constant VkDescriptorType := 9;
VK_DESCRIPTOR_TYPE_INPUT_ATTACHMENT : constant VkDescriptorType := 10;
VK_DESCRIPTOR_TYPE_INLINE_UNIFORM_BLOCK_EXT : constant VkDescriptorType := 1000138000;
VK_DESCRIPTOR_TYPE_ACCELERATION_STRUCTURE_KHR : constant VkDescriptorType := 1000150000;
VK_DESCRIPTOR_TYPE_ACCELERATION_STRUCTURE_NV : constant VkDescriptorType := 1000165000;
VK_DESCRIPTOR_TYPE_MUTABLE_VALVE : constant VkDescriptorType := 1000351000;
VK_DESCRIPTOR_TYPE_MAX_ENUM : constant VkDescriptorType := 2147483647; -- vulkan_core.h:1434
subtype VkAttachmentLoadOp is unsigned;
VK_ATTACHMENT_LOAD_OP_LOAD : constant VkAttachmentLoadOp := 0;
VK_ATTACHMENT_LOAD_OP_CLEAR : constant VkAttachmentLoadOp := 1;
VK_ATTACHMENT_LOAD_OP_DONT_CARE : constant VkAttachmentLoadOp := 2;
VK_ATTACHMENT_LOAD_OP_MAX_ENUM : constant VkAttachmentLoadOp := 2147483647; -- vulkan_core.h:1453
subtype VkAttachmentStoreOp is unsigned;
VK_ATTACHMENT_STORE_OP_STORE : constant VkAttachmentStoreOp := 0;
VK_ATTACHMENT_STORE_OP_DONT_CARE : constant VkAttachmentStoreOp := 1;
VK_ATTACHMENT_STORE_OP_NONE_QCOM : constant VkAttachmentStoreOp := 1000301000;
VK_ATTACHMENT_STORE_OP_MAX_ENUM : constant VkAttachmentStoreOp := 2147483647; -- vulkan_core.h:1460
subtype VkPipelineBindPoint is unsigned;
VK_PIPELINE_BIND_POINT_GRAPHICS : constant VkPipelineBindPoint := 0;
VK_PIPELINE_BIND_POINT_COMPUTE : constant VkPipelineBindPoint := 1;
VK_PIPELINE_BIND_POINT_RAY_TRACING_KHR : constant VkPipelineBindPoint := 1000165000;
VK_PIPELINE_BIND_POINT_RAY_TRACING_NV : constant VkPipelineBindPoint := 1000165000;
VK_PIPELINE_BIND_POINT_MAX_ENUM : constant VkPipelineBindPoint := 2147483647; -- vulkan_core.h:1467
subtype VkCommandBufferLevel is unsigned;
VK_COMMAND_BUFFER_LEVEL_PRIMARY : constant VkCommandBufferLevel := 0;
VK_COMMAND_BUFFER_LEVEL_SECONDARY : constant VkCommandBufferLevel := 1;
VK_COMMAND_BUFFER_LEVEL_MAX_ENUM : constant VkCommandBufferLevel := 2147483647; -- vulkan_core.h:1475
subtype VkIndexType is unsigned;
VK_INDEX_TYPE_UINT16 : constant VkIndexType := 0;
VK_INDEX_TYPE_UINT32 : constant VkIndexType := 1;
VK_INDEX_TYPE_NONE_KHR : constant VkIndexType := 1000165000;
VK_INDEX_TYPE_UINT8_EXT : constant VkIndexType := 1000265000;
VK_INDEX_TYPE_NONE_NV : constant VkIndexType := 1000165000;
VK_INDEX_TYPE_MAX_ENUM : constant VkIndexType := 2147483647; -- vulkan_core.h:1481
subtype VkSubpassContents is unsigned;
VK_SUBPASS_CONTENTS_INLINE : constant VkSubpassContents := 0;
VK_SUBPASS_CONTENTS_SECONDARY_COMMAND_BUFFERS : constant VkSubpassContents := 1;
VK_SUBPASS_CONTENTS_MAX_ENUM : constant VkSubpassContents := 2147483647; -- vulkan_core.h:1490
subtype VkAccessFlagBits is unsigned;
VK_ACCESS_INDIRECT_COMMAND_READ_BIT : constant VkAccessFlagBits := 1;
VK_ACCESS_INDEX_READ_BIT : constant VkAccessFlagBits := 2;
VK_ACCESS_VERTEX_ATTRIBUTE_READ_BIT : constant VkAccessFlagBits := 4;
VK_ACCESS_UNIFORM_READ_BIT : constant VkAccessFlagBits := 8;
VK_ACCESS_INPUT_ATTACHMENT_READ_BIT : constant VkAccessFlagBits := 16;
VK_ACCESS_SHADER_READ_BIT : constant VkAccessFlagBits := 32;
VK_ACCESS_SHADER_WRITE_BIT : constant VkAccessFlagBits := 64;
VK_ACCESS_COLOR_ATTACHMENT_READ_BIT : constant VkAccessFlagBits := 128;
VK_ACCESS_COLOR_ATTACHMENT_WRITE_BIT : constant VkAccessFlagBits := 256;
VK_ACCESS_DEPTH_STENCIL_ATTACHMENT_READ_BIT : constant VkAccessFlagBits := 512;
VK_ACCESS_DEPTH_STENCIL_ATTACHMENT_WRITE_BIT : constant VkAccessFlagBits := 1024;
VK_ACCESS_TRANSFER_READ_BIT : constant VkAccessFlagBits := 2048;
VK_ACCESS_TRANSFER_WRITE_BIT : constant VkAccessFlagBits := 4096;
VK_ACCESS_HOST_READ_BIT : constant VkAccessFlagBits := 8192;
VK_ACCESS_HOST_WRITE_BIT : constant VkAccessFlagBits := 16384;
VK_ACCESS_MEMORY_READ_BIT : constant VkAccessFlagBits := 32768;
VK_ACCESS_MEMORY_WRITE_BIT : constant VkAccessFlagBits := 65536;
VK_ACCESS_TRANSFORM_FEEDBACK_WRITE_BIT_EXT : constant VkAccessFlagBits := 33554432;
VK_ACCESS_TRANSFORM_FEEDBACK_COUNTER_READ_BIT_EXT : constant VkAccessFlagBits := 67108864;
VK_ACCESS_TRANSFORM_FEEDBACK_COUNTER_WRITE_BIT_EXT : constant VkAccessFlagBits := 134217728;
VK_ACCESS_CONDITIONAL_RENDERING_READ_BIT_EXT : constant VkAccessFlagBits := 1048576;
VK_ACCESS_COLOR_ATTACHMENT_READ_NONCOHERENT_BIT_EXT : constant VkAccessFlagBits := 524288;
VK_ACCESS_ACCELERATION_STRUCTURE_READ_BIT_KHR : constant VkAccessFlagBits := 2097152;
VK_ACCESS_ACCELERATION_STRUCTURE_WRITE_BIT_KHR : constant VkAccessFlagBits := 4194304;
VK_ACCESS_SHADING_RATE_IMAGE_READ_BIT_NV : constant VkAccessFlagBits := 8388608;
VK_ACCESS_FRAGMENT_DENSITY_MAP_READ_BIT_EXT : constant VkAccessFlagBits := 16777216;
VK_ACCESS_COMMAND_PREPROCESS_READ_BIT_NV : constant VkAccessFlagBits := 131072;
VK_ACCESS_COMMAND_PREPROCESS_WRITE_BIT_NV : constant VkAccessFlagBits := 262144;
VK_ACCESS_NONE_KHR : constant VkAccessFlagBits := 0;
VK_ACCESS_ACCELERATION_STRUCTURE_READ_BIT_NV : constant VkAccessFlagBits := 2097152;
VK_ACCESS_ACCELERATION_STRUCTURE_WRITE_BIT_NV : constant VkAccessFlagBits := 4194304;
VK_ACCESS_FRAGMENT_SHADING_RATE_ATTACHMENT_READ_BIT_KHR : constant VkAccessFlagBits := 8388608;
VK_ACCESS_FLAG_BITS_MAX_ENUM : constant VkAccessFlagBits := 2147483647; -- vulkan_core.h:1496
subtype VkAccessFlags is VkFlags; -- vulkan_core.h:1531
subtype VkImageAspectFlagBits is unsigned;
VK_IMAGE_ASPECT_COLOR_BIT : constant VkImageAspectFlagBits := 1;
VK_IMAGE_ASPECT_DEPTH_BIT : constant VkImageAspectFlagBits := 2;
VK_IMAGE_ASPECT_STENCIL_BIT : constant VkImageAspectFlagBits := 4;
VK_IMAGE_ASPECT_METADATA_BIT : constant VkImageAspectFlagBits := 8;
VK_IMAGE_ASPECT_PLANE_0_BIT : constant VkImageAspectFlagBits := 16;
VK_IMAGE_ASPECT_PLANE_1_BIT : constant VkImageAspectFlagBits := 32;
VK_IMAGE_ASPECT_PLANE_2_BIT : constant VkImageAspectFlagBits := 64;
VK_IMAGE_ASPECT_MEMORY_PLANE_0_BIT_EXT : constant VkImageAspectFlagBits := 128;
VK_IMAGE_ASPECT_MEMORY_PLANE_1_BIT_EXT : constant VkImageAspectFlagBits := 256;
VK_IMAGE_ASPECT_MEMORY_PLANE_2_BIT_EXT : constant VkImageAspectFlagBits := 512;
VK_IMAGE_ASPECT_MEMORY_PLANE_3_BIT_EXT : constant VkImageAspectFlagBits := 1024;
VK_IMAGE_ASPECT_PLANE_0_BIT_KHR : constant VkImageAspectFlagBits := 16;
VK_IMAGE_ASPECT_PLANE_1_BIT_KHR : constant VkImageAspectFlagBits := 32;
VK_IMAGE_ASPECT_PLANE_2_BIT_KHR : constant VkImageAspectFlagBits := 64;
VK_IMAGE_ASPECT_FLAG_BITS_MAX_ENUM : constant VkImageAspectFlagBits := 2147483647; -- vulkan_core.h:1533
subtype VkImageAspectFlags is VkFlags; -- vulkan_core.h:1550
subtype VkFormatFeatureFlagBits is unsigned;
VK_FORMAT_FEATURE_SAMPLED_IMAGE_BIT : constant VkFormatFeatureFlagBits := 1;
VK_FORMAT_FEATURE_STORAGE_IMAGE_BIT : constant VkFormatFeatureFlagBits := 2;
VK_FORMAT_FEATURE_STORAGE_IMAGE_ATOMIC_BIT : constant VkFormatFeatureFlagBits := 4;
VK_FORMAT_FEATURE_UNIFORM_TEXEL_BUFFER_BIT : constant VkFormatFeatureFlagBits := 8;
VK_FORMAT_FEATURE_STORAGE_TEXEL_BUFFER_BIT : constant VkFormatFeatureFlagBits := 16;
VK_FORMAT_FEATURE_STORAGE_TEXEL_BUFFER_ATOMIC_BIT : constant VkFormatFeatureFlagBits := 32;
VK_FORMAT_FEATURE_VERTEX_BUFFER_BIT : constant VkFormatFeatureFlagBits := 64;
VK_FORMAT_FEATURE_COLOR_ATTACHMENT_BIT : constant VkFormatFeatureFlagBits := 128;
VK_FORMAT_FEATURE_COLOR_ATTACHMENT_BLEND_BIT : constant VkFormatFeatureFlagBits := 256;
VK_FORMAT_FEATURE_DEPTH_STENCIL_ATTACHMENT_BIT : constant VkFormatFeatureFlagBits := 512;
VK_FORMAT_FEATURE_BLIT_SRC_BIT : constant VkFormatFeatureFlagBits := 1024;
VK_FORMAT_FEATURE_BLIT_DST_BIT : constant VkFormatFeatureFlagBits := 2048;
VK_FORMAT_FEATURE_SAMPLED_IMAGE_FILTER_LINEAR_BIT : constant VkFormatFeatureFlagBits := 4096;
VK_FORMAT_FEATURE_TRANSFER_SRC_BIT : constant VkFormatFeatureFlagBits := 16384;
VK_FORMAT_FEATURE_TRANSFER_DST_BIT : constant VkFormatFeatureFlagBits := 32768;
VK_FORMAT_FEATURE_MIDPOINT_CHROMA_SAMPLES_BIT : constant VkFormatFeatureFlagBits := 131072;
VK_FORMAT_FEATURE_SAMPLED_IMAGE_YCBCR_CONVERSION_LINEAR_FILTER_BIT : constant VkFormatFeatureFlagBits := 262144;
VK_FORMAT_FEATURE_SAMPLED_IMAGE_YCBCR_CONVERSION_SEPARATE_RECONSTRUCTION_FILTER_BIT : constant VkFormatFeatureFlagBits := 524288;
VK_FORMAT_FEATURE_SAMPLED_IMAGE_YCBCR_CONVERSION_CHROMA_RECONSTRUCTION_EXPLICIT_BIT : constant VkFormatFeatureFlagBits := 1048576;
VK_FORMAT_FEATURE_SAMPLED_IMAGE_YCBCR_CONVERSION_CHROMA_RECONSTRUCTION_EXPLICIT_FORCEABLE_BIT : constant VkFormatFeatureFlagBits := 2097152;
VK_FORMAT_FEATURE_DISJOINT_BIT : constant VkFormatFeatureFlagBits := 4194304;
VK_FORMAT_FEATURE_COSITED_CHROMA_SAMPLES_BIT : constant VkFormatFeatureFlagBits := 8388608;
VK_FORMAT_FEATURE_SAMPLED_IMAGE_FILTER_MINMAX_BIT : constant VkFormatFeatureFlagBits := 65536;
VK_FORMAT_FEATURE_SAMPLED_IMAGE_FILTER_CUBIC_BIT_IMG : constant VkFormatFeatureFlagBits := 8192;
VK_FORMAT_FEATURE_ACCELERATION_STRUCTURE_VERTEX_BUFFER_BIT_KHR : constant VkFormatFeatureFlagBits := 536870912;
VK_FORMAT_FEATURE_FRAGMENT_DENSITY_MAP_BIT_EXT : constant VkFormatFeatureFlagBits := 16777216;
VK_FORMAT_FEATURE_FRAGMENT_SHADING_RATE_ATTACHMENT_BIT_KHR : constant VkFormatFeatureFlagBits := 1073741824;
VK_FORMAT_FEATURE_TRANSFER_SRC_BIT_KHR : constant VkFormatFeatureFlagBits := 16384;
VK_FORMAT_FEATURE_TRANSFER_DST_BIT_KHR : constant VkFormatFeatureFlagBits := 32768;
VK_FORMAT_FEATURE_SAMPLED_IMAGE_FILTER_MINMAX_BIT_EXT : constant VkFormatFeatureFlagBits := 65536;
VK_FORMAT_FEATURE_MIDPOINT_CHROMA_SAMPLES_BIT_KHR : constant VkFormatFeatureFlagBits := 131072;
VK_FORMAT_FEATURE_SAMPLED_IMAGE_YCBCR_CONVERSION_LINEAR_FILTER_BIT_KHR : constant VkFormatFeatureFlagBits := 262144;
VK_FORMAT_FEATURE_SAMPLED_IMAGE_YCBCR_CONVERSION_SEPARATE_RECONSTRUCTION_FILTER_BIT_KHR : constant VkFormatFeatureFlagBits := 524288;
VK_FORMAT_FEATURE_SAMPLED_IMAGE_YCBCR_CONVERSION_CHROMA_RECONSTRUCTION_EXPLICIT_BIT_KHR : constant VkFormatFeatureFlagBits := 1048576;
VK_FORMAT_FEATURE_SAMPLED_IMAGE_YCBCR_CONVERSION_CHROMA_RECONSTRUCTION_EXPLICIT_FORCEABLE_BIT_KHR : constant VkFormatFeatureFlagBits := 2097152;
VK_FORMAT_FEATURE_DISJOINT_BIT_KHR : constant VkFormatFeatureFlagBits := 4194304;
VK_FORMAT_FEATURE_COSITED_CHROMA_SAMPLES_BIT_KHR : constant VkFormatFeatureFlagBits := 8388608;
VK_FORMAT_FEATURE_SAMPLED_IMAGE_FILTER_CUBIC_BIT_EXT : constant VkFormatFeatureFlagBits := 8192;
VK_FORMAT_FEATURE_FLAG_BITS_MAX_ENUM : constant VkFormatFeatureFlagBits := 2147483647; -- vulkan_core.h:1552
subtype VkFormatFeatureFlags is VkFlags; -- vulkan_core.h:1593
subtype VkImageCreateFlagBits is unsigned;
VK_IMAGE_CREATE_SPARSE_BINDING_BIT : constant VkImageCreateFlagBits := 1;
VK_IMAGE_CREATE_SPARSE_RESIDENCY_BIT : constant VkImageCreateFlagBits := 2;
VK_IMAGE_CREATE_SPARSE_ALIASED_BIT : constant VkImageCreateFlagBits := 4;
VK_IMAGE_CREATE_MUTABLE_FORMAT_BIT : constant VkImageCreateFlagBits := 8;
VK_IMAGE_CREATE_CUBE_COMPATIBLE_BIT : constant VkImageCreateFlagBits := 16;
VK_IMAGE_CREATE_ALIAS_BIT : constant VkImageCreateFlagBits := 1024;
VK_IMAGE_CREATE_SPLIT_INSTANCE_BIND_REGIONS_BIT : constant VkImageCreateFlagBits := 64;
VK_IMAGE_CREATE_2D_ARRAY_COMPATIBLE_BIT : constant VkImageCreateFlagBits := 32;
VK_IMAGE_CREATE_BLOCK_TEXEL_VIEW_COMPATIBLE_BIT : constant VkImageCreateFlagBits := 128;
VK_IMAGE_CREATE_EXTENDED_USAGE_BIT : constant VkImageCreateFlagBits := 256;
VK_IMAGE_CREATE_PROTECTED_BIT : constant VkImageCreateFlagBits := 2048;
VK_IMAGE_CREATE_DISJOINT_BIT : constant VkImageCreateFlagBits := 512;
VK_IMAGE_CREATE_CORNER_SAMPLED_BIT_NV : constant VkImageCreateFlagBits := 8192;
VK_IMAGE_CREATE_SAMPLE_LOCATIONS_COMPATIBLE_DEPTH_BIT_EXT : constant VkImageCreateFlagBits := 4096;
VK_IMAGE_CREATE_SUBSAMPLED_BIT_EXT : constant VkImageCreateFlagBits := 16384;
VK_IMAGE_CREATE_SPLIT_INSTANCE_BIND_REGIONS_BIT_KHR : constant VkImageCreateFlagBits := 64;
VK_IMAGE_CREATE_2D_ARRAY_COMPATIBLE_BIT_KHR : constant VkImageCreateFlagBits := 32;
VK_IMAGE_CREATE_BLOCK_TEXEL_VIEW_COMPATIBLE_BIT_KHR : constant VkImageCreateFlagBits := 128;
VK_IMAGE_CREATE_EXTENDED_USAGE_BIT_KHR : constant VkImageCreateFlagBits := 256;
VK_IMAGE_CREATE_DISJOINT_BIT_KHR : constant VkImageCreateFlagBits := 512;
VK_IMAGE_CREATE_ALIAS_BIT_KHR : constant VkImageCreateFlagBits := 1024;
VK_IMAGE_CREATE_FLAG_BITS_MAX_ENUM : constant VkImageCreateFlagBits := 2147483647; -- vulkan_core.h:1595
subtype VkImageCreateFlags is VkFlags; -- vulkan_core.h:1619
subtype VkSampleCountFlagBits is unsigned;
VK_SAMPLE_COUNT_1_BIT : constant VkSampleCountFlagBits := 1;
VK_SAMPLE_COUNT_2_BIT : constant VkSampleCountFlagBits := 2;
VK_SAMPLE_COUNT_4_BIT : constant VkSampleCountFlagBits := 4;
VK_SAMPLE_COUNT_8_BIT : constant VkSampleCountFlagBits := 8;
VK_SAMPLE_COUNT_16_BIT : constant VkSampleCountFlagBits := 16;
VK_SAMPLE_COUNT_32_BIT : constant VkSampleCountFlagBits := 32;
VK_SAMPLE_COUNT_64_BIT : constant VkSampleCountFlagBits := 64;
VK_SAMPLE_COUNT_FLAG_BITS_MAX_ENUM : constant VkSampleCountFlagBits := 2147483647; -- vulkan_core.h:1621
subtype VkSampleCountFlags is VkFlags; -- vulkan_core.h:1631
subtype VkImageUsageFlagBits is unsigned;
VK_IMAGE_USAGE_TRANSFER_SRC_BIT : constant VkImageUsageFlagBits := 1;
VK_IMAGE_USAGE_TRANSFER_DST_BIT : constant VkImageUsageFlagBits := 2;
VK_IMAGE_USAGE_SAMPLED_BIT : constant VkImageUsageFlagBits := 4;
VK_IMAGE_USAGE_STORAGE_BIT : constant VkImageUsageFlagBits := 8;
VK_IMAGE_USAGE_COLOR_ATTACHMENT_BIT : constant VkImageUsageFlagBits := 16;
VK_IMAGE_USAGE_DEPTH_STENCIL_ATTACHMENT_BIT : constant VkImageUsageFlagBits := 32;
VK_IMAGE_USAGE_TRANSIENT_ATTACHMENT_BIT : constant VkImageUsageFlagBits := 64;
VK_IMAGE_USAGE_INPUT_ATTACHMENT_BIT : constant VkImageUsageFlagBits := 128;
VK_IMAGE_USAGE_SHADING_RATE_IMAGE_BIT_NV : constant VkImageUsageFlagBits := 256;
VK_IMAGE_USAGE_FRAGMENT_DENSITY_MAP_BIT_EXT : constant VkImageUsageFlagBits := 512;
VK_IMAGE_USAGE_FRAGMENT_SHADING_RATE_ATTACHMENT_BIT_KHR : constant VkImageUsageFlagBits := 256;
VK_IMAGE_USAGE_FLAG_BITS_MAX_ENUM : constant VkImageUsageFlagBits := 2147483647; -- vulkan_core.h:1633
subtype VkImageUsageFlags is VkFlags; -- vulkan_core.h:1647
subtype VkInstanceCreateFlags is VkFlags; -- vulkan_core.h:1648
subtype VkMemoryHeapFlagBits is unsigned;
VK_MEMORY_HEAP_DEVICE_LOCAL_BIT : constant VkMemoryHeapFlagBits := 1;
VK_MEMORY_HEAP_MULTI_INSTANCE_BIT : constant VkMemoryHeapFlagBits := 2;
VK_MEMORY_HEAP_MULTI_INSTANCE_BIT_KHR : constant VkMemoryHeapFlagBits := 2;
VK_MEMORY_HEAP_FLAG_BITS_MAX_ENUM : constant VkMemoryHeapFlagBits := 2147483647; -- vulkan_core.h:1650
subtype VkMemoryHeapFlags is VkFlags; -- vulkan_core.h:1656
subtype VkMemoryPropertyFlagBits is unsigned;
VK_MEMORY_PROPERTY_DEVICE_LOCAL_BIT : constant VkMemoryPropertyFlagBits := 1;
VK_MEMORY_PROPERTY_HOST_VISIBLE_BIT : constant VkMemoryPropertyFlagBits := 2;
VK_MEMORY_PROPERTY_HOST_COHERENT_BIT : constant VkMemoryPropertyFlagBits := 4;
VK_MEMORY_PROPERTY_HOST_CACHED_BIT : constant VkMemoryPropertyFlagBits := 8;
VK_MEMORY_PROPERTY_LAZILY_ALLOCATED_BIT : constant VkMemoryPropertyFlagBits := 16;
VK_MEMORY_PROPERTY_PROTECTED_BIT : constant VkMemoryPropertyFlagBits := 32;
VK_MEMORY_PROPERTY_DEVICE_COHERENT_BIT_AMD : constant VkMemoryPropertyFlagBits := 64;
VK_MEMORY_PROPERTY_DEVICE_UNCACHED_BIT_AMD : constant VkMemoryPropertyFlagBits := 128;
VK_MEMORY_PROPERTY_FLAG_BITS_MAX_ENUM : constant VkMemoryPropertyFlagBits := 2147483647; -- vulkan_core.h:1658
subtype VkMemoryPropertyFlags is VkFlags; -- vulkan_core.h:1669
subtype VkQueueFlagBits is unsigned;
VK_QUEUE_GRAPHICS_BIT : constant VkQueueFlagBits := 1;
VK_QUEUE_COMPUTE_BIT : constant VkQueueFlagBits := 2;
VK_QUEUE_TRANSFER_BIT : constant VkQueueFlagBits := 4;
VK_QUEUE_SPARSE_BINDING_BIT : constant VkQueueFlagBits := 8;
VK_QUEUE_PROTECTED_BIT : constant VkQueueFlagBits := 16;
VK_QUEUE_FLAG_BITS_MAX_ENUM : constant VkQueueFlagBits := 2147483647; -- vulkan_core.h:1671
subtype VkQueueFlags is VkFlags; -- vulkan_core.h:1679
subtype VkDeviceCreateFlags is VkFlags; -- vulkan_core.h:1680
subtype VkDeviceQueueCreateFlagBits is unsigned;
VK_DEVICE_QUEUE_CREATE_PROTECTED_BIT : constant VkDeviceQueueCreateFlagBits := 1;
VK_DEVICE_QUEUE_CREATE_FLAG_BITS_MAX_ENUM : constant VkDeviceQueueCreateFlagBits := 2147483647; -- vulkan_core.h:1682
subtype VkDeviceQueueCreateFlags is VkFlags; -- vulkan_core.h:1686
subtype VkPipelineStageFlagBits is unsigned;
VK_PIPELINE_STAGE_TOP_OF_PIPE_BIT : constant VkPipelineStageFlagBits := 1;
VK_PIPELINE_STAGE_DRAW_INDIRECT_BIT : constant VkPipelineStageFlagBits := 2;
VK_PIPELINE_STAGE_VERTEX_INPUT_BIT : constant VkPipelineStageFlagBits := 4;
VK_PIPELINE_STAGE_VERTEX_SHADER_BIT : constant VkPipelineStageFlagBits := 8;
VK_PIPELINE_STAGE_TESSELLATION_CONTROL_SHADER_BIT : constant VkPipelineStageFlagBits := 16;
VK_PIPELINE_STAGE_TESSELLATION_EVALUATION_SHADER_BIT : constant VkPipelineStageFlagBits := 32;
VK_PIPELINE_STAGE_GEOMETRY_SHADER_BIT : constant VkPipelineStageFlagBits := 64;
VK_PIPELINE_STAGE_FRAGMENT_SHADER_BIT : constant VkPipelineStageFlagBits := 128;
VK_PIPELINE_STAGE_EARLY_FRAGMENT_TESTS_BIT : constant VkPipelineStageFlagBits := 256;
VK_PIPELINE_STAGE_LATE_FRAGMENT_TESTS_BIT : constant VkPipelineStageFlagBits := 512;
VK_PIPELINE_STAGE_COLOR_ATTACHMENT_OUTPUT_BIT : constant VkPipelineStageFlagBits := 1024;
VK_PIPELINE_STAGE_COMPUTE_SHADER_BIT : constant VkPipelineStageFlagBits := 2048;
VK_PIPELINE_STAGE_TRANSFER_BIT : constant VkPipelineStageFlagBits := 4096;
VK_PIPELINE_STAGE_BOTTOM_OF_PIPE_BIT : constant VkPipelineStageFlagBits := 8192;
VK_PIPELINE_STAGE_HOST_BIT : constant VkPipelineStageFlagBits := 16384;
VK_PIPELINE_STAGE_ALL_GRAPHICS_BIT : constant VkPipelineStageFlagBits := 32768;
VK_PIPELINE_STAGE_ALL_COMMANDS_BIT : constant VkPipelineStageFlagBits := 65536;
VK_PIPELINE_STAGE_TRANSFORM_FEEDBACK_BIT_EXT : constant VkPipelineStageFlagBits := 16777216;
VK_PIPELINE_STAGE_CONDITIONAL_RENDERING_BIT_EXT : constant VkPipelineStageFlagBits := 262144;
VK_PIPELINE_STAGE_ACCELERATION_STRUCTURE_BUILD_BIT_KHR : constant VkPipelineStageFlagBits := 33554432;
VK_PIPELINE_STAGE_RAY_TRACING_SHADER_BIT_KHR : constant VkPipelineStageFlagBits := 2097152;
VK_PIPELINE_STAGE_SHADING_RATE_IMAGE_BIT_NV : constant VkPipelineStageFlagBits := 4194304;
VK_PIPELINE_STAGE_TASK_SHADER_BIT_NV : constant VkPipelineStageFlagBits := 524288;
VK_PIPELINE_STAGE_MESH_SHADER_BIT_NV : constant VkPipelineStageFlagBits := 1048576;
VK_PIPELINE_STAGE_FRAGMENT_DENSITY_PROCESS_BIT_EXT : constant VkPipelineStageFlagBits := 8388608;
VK_PIPELINE_STAGE_COMMAND_PREPROCESS_BIT_NV : constant VkPipelineStageFlagBits := 131072;
VK_PIPELINE_STAGE_NONE_KHR : constant VkPipelineStageFlagBits := 0;
VK_PIPELINE_STAGE_RAY_TRACING_SHADER_BIT_NV : constant VkPipelineStageFlagBits := 2097152;
VK_PIPELINE_STAGE_ACCELERATION_STRUCTURE_BUILD_BIT_NV : constant VkPipelineStageFlagBits := 33554432;
VK_PIPELINE_STAGE_FRAGMENT_SHADING_RATE_ATTACHMENT_BIT_KHR : constant VkPipelineStageFlagBits := 4194304;
VK_PIPELINE_STAGE_FLAG_BITS_MAX_ENUM : constant VkPipelineStageFlagBits := 2147483647; -- vulkan_core.h:1688
subtype VkPipelineStageFlags is VkFlags; -- vulkan_core.h:1721
subtype VkMemoryMapFlags is VkFlags; -- vulkan_core.h:1722
subtype VkSparseMemoryBindFlagBits is unsigned;
VK_SPARSE_MEMORY_BIND_METADATA_BIT : constant VkSparseMemoryBindFlagBits := 1;
VK_SPARSE_MEMORY_BIND_FLAG_BITS_MAX_ENUM : constant VkSparseMemoryBindFlagBits := 2147483647; -- vulkan_core.h:1724
subtype VkSparseMemoryBindFlags is VkFlags; -- vulkan_core.h:1728
subtype VkSparseImageFormatFlagBits is unsigned;
VK_SPARSE_IMAGE_FORMAT_SINGLE_MIPTAIL_BIT : constant VkSparseImageFormatFlagBits := 1;
VK_SPARSE_IMAGE_FORMAT_ALIGNED_MIP_SIZE_BIT : constant VkSparseImageFormatFlagBits := 2;
VK_SPARSE_IMAGE_FORMAT_NONSTANDARD_BLOCK_SIZE_BIT : constant VkSparseImageFormatFlagBits := 4;
VK_SPARSE_IMAGE_FORMAT_FLAG_BITS_MAX_ENUM : constant VkSparseImageFormatFlagBits := 2147483647; -- vulkan_core.h:1730
subtype VkSparseImageFormatFlags is VkFlags; -- vulkan_core.h:1736
subtype VkFenceCreateFlagBits is unsigned;
VK_FENCE_CREATE_SIGNALED_BIT : constant VkFenceCreateFlagBits := 1;
VK_FENCE_CREATE_FLAG_BITS_MAX_ENUM : constant VkFenceCreateFlagBits := 2147483647; -- vulkan_core.h:1738
subtype VkFenceCreateFlags is VkFlags; -- vulkan_core.h:1742
subtype VkSemaphoreCreateFlags is VkFlags; -- vulkan_core.h:1743
subtype VkEventCreateFlagBits is unsigned;
VK_EVENT_CREATE_DEVICE_ONLY_BIT_KHR : constant VkEventCreateFlagBits := 1;
VK_EVENT_CREATE_FLAG_BITS_MAX_ENUM : constant VkEventCreateFlagBits := 2147483647; -- vulkan_core.h:1745
subtype VkEventCreateFlags is VkFlags; -- vulkan_core.h:1749
subtype VkQueryPipelineStatisticFlagBits is unsigned;
VK_QUERY_PIPELINE_STATISTIC_INPUT_ASSEMBLY_VERTICES_BIT : constant VkQueryPipelineStatisticFlagBits := 1;
VK_QUERY_PIPELINE_STATISTIC_INPUT_ASSEMBLY_PRIMITIVES_BIT : constant VkQueryPipelineStatisticFlagBits := 2;
VK_QUERY_PIPELINE_STATISTIC_VERTEX_SHADER_INVOCATIONS_BIT : constant VkQueryPipelineStatisticFlagBits := 4;
VK_QUERY_PIPELINE_STATISTIC_GEOMETRY_SHADER_INVOCATIONS_BIT : constant VkQueryPipelineStatisticFlagBits := 8;
VK_QUERY_PIPELINE_STATISTIC_GEOMETRY_SHADER_PRIMITIVES_BIT : constant VkQueryPipelineStatisticFlagBits := 16;
VK_QUERY_PIPELINE_STATISTIC_CLIPPING_INVOCATIONS_BIT : constant VkQueryPipelineStatisticFlagBits := 32;
VK_QUERY_PIPELINE_STATISTIC_CLIPPING_PRIMITIVES_BIT : constant VkQueryPipelineStatisticFlagBits := 64;
VK_QUERY_PIPELINE_STATISTIC_FRAGMENT_SHADER_INVOCATIONS_BIT : constant VkQueryPipelineStatisticFlagBits := 128;
VK_QUERY_PIPELINE_STATISTIC_TESSELLATION_CONTROL_SHADER_PATCHES_BIT : constant VkQueryPipelineStatisticFlagBits := 256;
VK_QUERY_PIPELINE_STATISTIC_TESSELLATION_EVALUATION_SHADER_INVOCATIONS_BIT : constant VkQueryPipelineStatisticFlagBits := 512;
VK_QUERY_PIPELINE_STATISTIC_COMPUTE_SHADER_INVOCATIONS_BIT : constant VkQueryPipelineStatisticFlagBits := 1024;
VK_QUERY_PIPELINE_STATISTIC_FLAG_BITS_MAX_ENUM : constant VkQueryPipelineStatisticFlagBits := 2147483647; -- vulkan_core.h:1751
subtype VkQueryPipelineStatisticFlags is VkFlags; -- vulkan_core.h:1765
subtype VkQueryPoolCreateFlags is VkFlags; -- vulkan_core.h:1766
subtype VkQueryResultFlagBits is unsigned;
VK_QUERY_RESULT_64_BIT : constant VkQueryResultFlagBits := 1;
VK_QUERY_RESULT_WAIT_BIT : constant VkQueryResultFlagBits := 2;
VK_QUERY_RESULT_WITH_AVAILABILITY_BIT : constant VkQueryResultFlagBits := 4;
VK_QUERY_RESULT_PARTIAL_BIT : constant VkQueryResultFlagBits := 8;
VK_QUERY_RESULT_FLAG_BITS_MAX_ENUM : constant VkQueryResultFlagBits := 2147483647; -- vulkan_core.h:1768
subtype VkQueryResultFlags is VkFlags; -- vulkan_core.h:1775
subtype VkBufferCreateFlagBits is unsigned;
VK_BUFFER_CREATE_SPARSE_BINDING_BIT : constant VkBufferCreateFlagBits := 1;
VK_BUFFER_CREATE_SPARSE_RESIDENCY_BIT : constant VkBufferCreateFlagBits := 2;
VK_BUFFER_CREATE_SPARSE_ALIASED_BIT : constant VkBufferCreateFlagBits := 4;
VK_BUFFER_CREATE_PROTECTED_BIT : constant VkBufferCreateFlagBits := 8;
VK_BUFFER_CREATE_DEVICE_ADDRESS_CAPTURE_REPLAY_BIT : constant VkBufferCreateFlagBits := 16;
VK_BUFFER_CREATE_DEVICE_ADDRESS_CAPTURE_REPLAY_BIT_EXT : constant VkBufferCreateFlagBits := 16;
VK_BUFFER_CREATE_DEVICE_ADDRESS_CAPTURE_REPLAY_BIT_KHR : constant VkBufferCreateFlagBits := 16;
VK_BUFFER_CREATE_FLAG_BITS_MAX_ENUM : constant VkBufferCreateFlagBits := 2147483647; -- vulkan_core.h:1777
subtype VkBufferCreateFlags is VkFlags; -- vulkan_core.h:1787
subtype VkBufferUsageFlagBits is unsigned;
VK_BUFFER_USAGE_TRANSFER_SRC_BIT : constant VkBufferUsageFlagBits := 1;
VK_BUFFER_USAGE_TRANSFER_DST_BIT : constant VkBufferUsageFlagBits := 2;
VK_BUFFER_USAGE_UNIFORM_TEXEL_BUFFER_BIT : constant VkBufferUsageFlagBits := 4;
VK_BUFFER_USAGE_STORAGE_TEXEL_BUFFER_BIT : constant VkBufferUsageFlagBits := 8;
VK_BUFFER_USAGE_UNIFORM_BUFFER_BIT : constant VkBufferUsageFlagBits := 16;
VK_BUFFER_USAGE_STORAGE_BUFFER_BIT : constant VkBufferUsageFlagBits := 32;
VK_BUFFER_USAGE_INDEX_BUFFER_BIT : constant VkBufferUsageFlagBits := 64;
VK_BUFFER_USAGE_VERTEX_BUFFER_BIT : constant VkBufferUsageFlagBits := 128;
VK_BUFFER_USAGE_INDIRECT_BUFFER_BIT : constant VkBufferUsageFlagBits := 256;
VK_BUFFER_USAGE_SHADER_DEVICE_ADDRESS_BIT : constant VkBufferUsageFlagBits := 131072;
VK_BUFFER_USAGE_TRANSFORM_FEEDBACK_BUFFER_BIT_EXT : constant VkBufferUsageFlagBits := 2048;
VK_BUFFER_USAGE_TRANSFORM_FEEDBACK_COUNTER_BUFFER_BIT_EXT : constant VkBufferUsageFlagBits := 4096;
VK_BUFFER_USAGE_CONDITIONAL_RENDERING_BIT_EXT : constant VkBufferUsageFlagBits := 512;
VK_BUFFER_USAGE_ACCELERATION_STRUCTURE_BUILD_INPUT_READ_ONLY_BIT_KHR : constant VkBufferUsageFlagBits := 524288;
VK_BUFFER_USAGE_ACCELERATION_STRUCTURE_STORAGE_BIT_KHR : constant VkBufferUsageFlagBits := 1048576;
VK_BUFFER_USAGE_SHADER_BINDING_TABLE_BIT_KHR : constant VkBufferUsageFlagBits := 1024;
VK_BUFFER_USAGE_RAY_TRACING_BIT_NV : constant VkBufferUsageFlagBits := 1024;
VK_BUFFER_USAGE_SHADER_DEVICE_ADDRESS_BIT_EXT : constant VkBufferUsageFlagBits := 131072;
VK_BUFFER_USAGE_SHADER_DEVICE_ADDRESS_BIT_KHR : constant VkBufferUsageFlagBits := 131072;
VK_BUFFER_USAGE_FLAG_BITS_MAX_ENUM : constant VkBufferUsageFlagBits := 2147483647; -- vulkan_core.h:1789
subtype VkBufferUsageFlags is VkFlags; -- vulkan_core.h:1811
subtype VkBufferViewCreateFlags is VkFlags; -- vulkan_core.h:1812
subtype VkImageViewCreateFlagBits is unsigned;
VK_IMAGE_VIEW_CREATE_FRAGMENT_DENSITY_MAP_DYNAMIC_BIT_EXT : constant VkImageViewCreateFlagBits := 1;
VK_IMAGE_VIEW_CREATE_FRAGMENT_DENSITY_MAP_DEFERRED_BIT_EXT : constant VkImageViewCreateFlagBits := 2;
VK_IMAGE_VIEW_CREATE_FLAG_BITS_MAX_ENUM : constant VkImageViewCreateFlagBits := 2147483647; -- vulkan_core.h:1814
subtype VkImageViewCreateFlags is VkFlags; -- vulkan_core.h:1819
subtype VkShaderModuleCreateFlagBits is unsigned;
VK_SHADER_MODULE_CREATE_FLAG_BITS_MAX_ENUM : constant VkShaderModuleCreateFlagBits := 2147483647; -- vulkan_core.h:1821
subtype VkShaderModuleCreateFlags is VkFlags; -- vulkan_core.h:1824
subtype VkPipelineCacheCreateFlagBits is unsigned;
VK_PIPELINE_CACHE_CREATE_EXTERNALLY_SYNCHRONIZED_BIT_EXT : constant VkPipelineCacheCreateFlagBits := 1;
VK_PIPELINE_CACHE_CREATE_FLAG_BITS_MAX_ENUM : constant VkPipelineCacheCreateFlagBits := 2147483647; -- vulkan_core.h:1826
subtype VkPipelineCacheCreateFlags is VkFlags; -- vulkan_core.h:1830
subtype VkColorComponentFlagBits is unsigned;
VK_COLOR_COMPONENT_R_BIT : constant VkColorComponentFlagBits := 1;
VK_COLOR_COMPONENT_G_BIT : constant VkColorComponentFlagBits := 2;
VK_COLOR_COMPONENT_B_BIT : constant VkColorComponentFlagBits := 4;
VK_COLOR_COMPONENT_A_BIT : constant VkColorComponentFlagBits := 8;
VK_COLOR_COMPONENT_FLAG_BITS_MAX_ENUM : constant VkColorComponentFlagBits := 2147483647; -- vulkan_core.h:1832
subtype VkColorComponentFlags is VkFlags; -- vulkan_core.h:1839
subtype VkPipelineCreateFlagBits is unsigned;
VK_PIPELINE_CREATE_DISABLE_OPTIMIZATION_BIT : constant VkPipelineCreateFlagBits := 1;
VK_PIPELINE_CREATE_ALLOW_DERIVATIVES_BIT : constant VkPipelineCreateFlagBits := 2;
VK_PIPELINE_CREATE_DERIVATIVE_BIT : constant VkPipelineCreateFlagBits := 4;
VK_PIPELINE_CREATE_VIEW_INDEX_FROM_DEVICE_INDEX_BIT : constant VkPipelineCreateFlagBits := 8;
VK_PIPELINE_CREATE_DISPATCH_BASE_BIT : constant VkPipelineCreateFlagBits := 16;
VK_PIPELINE_CREATE_RAY_TRACING_NO_NULL_ANY_HIT_SHADERS_BIT_KHR : constant VkPipelineCreateFlagBits := 16384;
VK_PIPELINE_CREATE_RAY_TRACING_NO_NULL_CLOSEST_HIT_SHADERS_BIT_KHR : constant VkPipelineCreateFlagBits := 32768;
VK_PIPELINE_CREATE_RAY_TRACING_NO_NULL_MISS_SHADERS_BIT_KHR : constant VkPipelineCreateFlagBits := 65536;
VK_PIPELINE_CREATE_RAY_TRACING_NO_NULL_INTERSECTION_SHADERS_BIT_KHR : constant VkPipelineCreateFlagBits := 131072;
VK_PIPELINE_CREATE_RAY_TRACING_SKIP_TRIANGLES_BIT_KHR : constant VkPipelineCreateFlagBits := 4096;
VK_PIPELINE_CREATE_RAY_TRACING_SKIP_AABBS_BIT_KHR : constant VkPipelineCreateFlagBits := 8192;
VK_PIPELINE_CREATE_RAY_TRACING_SHADER_GROUP_HANDLE_CAPTURE_REPLAY_BIT_KHR : constant VkPipelineCreateFlagBits := 524288;
VK_PIPELINE_CREATE_DEFER_COMPILE_BIT_NV : constant VkPipelineCreateFlagBits := 32;
VK_PIPELINE_CREATE_CAPTURE_STATISTICS_BIT_KHR : constant VkPipelineCreateFlagBits := 64;
VK_PIPELINE_CREATE_CAPTURE_INTERNAL_REPRESENTATIONS_BIT_KHR : constant VkPipelineCreateFlagBits := 128;
VK_PIPELINE_CREATE_INDIRECT_BINDABLE_BIT_NV : constant VkPipelineCreateFlagBits := 262144;
VK_PIPELINE_CREATE_LIBRARY_BIT_KHR : constant VkPipelineCreateFlagBits := 2048;
VK_PIPELINE_CREATE_FAIL_ON_PIPELINE_COMPILE_REQUIRED_BIT_EXT : constant VkPipelineCreateFlagBits := 256;
VK_PIPELINE_CREATE_EARLY_RETURN_ON_FAILURE_BIT_EXT : constant VkPipelineCreateFlagBits := 512;
VK_PIPELINE_CREATE_DISPATCH_BASE : constant VkPipelineCreateFlagBits := 16;
VK_PIPELINE_CREATE_VIEW_INDEX_FROM_DEVICE_INDEX_BIT_KHR : constant VkPipelineCreateFlagBits := 8;
VK_PIPELINE_CREATE_DISPATCH_BASE_KHR : constant VkPipelineCreateFlagBits := 16;
VK_PIPELINE_CREATE_FLAG_BITS_MAX_ENUM : constant VkPipelineCreateFlagBits := 2147483647; -- vulkan_core.h:1841
subtype VkPipelineCreateFlags is VkFlags; -- vulkan_core.h:1866
subtype VkPipelineShaderStageCreateFlagBits is unsigned;
VK_PIPELINE_SHADER_STAGE_CREATE_ALLOW_VARYING_SUBGROUP_SIZE_BIT_EXT : constant VkPipelineShaderStageCreateFlagBits := 1;
VK_PIPELINE_SHADER_STAGE_CREATE_REQUIRE_FULL_SUBGROUPS_BIT_EXT : constant VkPipelineShaderStageCreateFlagBits := 2;
VK_PIPELINE_SHADER_STAGE_CREATE_FLAG_BITS_MAX_ENUM : constant VkPipelineShaderStageCreateFlagBits := 2147483647; -- vulkan_core.h:1868
subtype VkPipelineShaderStageCreateFlags is VkFlags; -- vulkan_core.h:1873
subtype VkShaderStageFlagBits is unsigned;
VK_SHADER_STAGE_VERTEX_BIT : constant VkShaderStageFlagBits := 1;
VK_SHADER_STAGE_TESSELLATION_CONTROL_BIT : constant VkShaderStageFlagBits := 2;
VK_SHADER_STAGE_TESSELLATION_EVALUATION_BIT : constant VkShaderStageFlagBits := 4;
VK_SHADER_STAGE_GEOMETRY_BIT : constant VkShaderStageFlagBits := 8;
VK_SHADER_STAGE_FRAGMENT_BIT : constant VkShaderStageFlagBits := 16;
VK_SHADER_STAGE_COMPUTE_BIT : constant VkShaderStageFlagBits := 32;
VK_SHADER_STAGE_ALL_GRAPHICS : constant VkShaderStageFlagBits := 31;
VK_SHADER_STAGE_ALL : constant VkShaderStageFlagBits := 2147483647;
VK_SHADER_STAGE_RAYGEN_BIT_KHR : constant VkShaderStageFlagBits := 256;
VK_SHADER_STAGE_ANY_HIT_BIT_KHR : constant VkShaderStageFlagBits := 512;
VK_SHADER_STAGE_CLOSEST_HIT_BIT_KHR : constant VkShaderStageFlagBits := 1024;
VK_SHADER_STAGE_MISS_BIT_KHR : constant VkShaderStageFlagBits := 2048;
VK_SHADER_STAGE_INTERSECTION_BIT_KHR : constant VkShaderStageFlagBits := 4096;
VK_SHADER_STAGE_CALLABLE_BIT_KHR : constant VkShaderStageFlagBits := 8192;
VK_SHADER_STAGE_TASK_BIT_NV : constant VkShaderStageFlagBits := 64;
VK_SHADER_STAGE_MESH_BIT_NV : constant VkShaderStageFlagBits := 128;
VK_SHADER_STAGE_RAYGEN_BIT_NV : constant VkShaderStageFlagBits := 256;
VK_SHADER_STAGE_ANY_HIT_BIT_NV : constant VkShaderStageFlagBits := 512;
VK_SHADER_STAGE_CLOSEST_HIT_BIT_NV : constant VkShaderStageFlagBits := 1024;
VK_SHADER_STAGE_MISS_BIT_NV : constant VkShaderStageFlagBits := 2048;
VK_SHADER_STAGE_INTERSECTION_BIT_NV : constant VkShaderStageFlagBits := 4096;
VK_SHADER_STAGE_CALLABLE_BIT_NV : constant VkShaderStageFlagBits := 8192;
VK_SHADER_STAGE_FLAG_BITS_MAX_ENUM : constant VkShaderStageFlagBits := 2147483647; -- vulkan_core.h:1875
subtype VkCullModeFlagBits is unsigned;
VK_CULL_MODE_NONE : constant VkCullModeFlagBits := 0;
VK_CULL_MODE_FRONT_BIT : constant VkCullModeFlagBits := 1;
VK_CULL_MODE_BACK_BIT : constant VkCullModeFlagBits := 2;
VK_CULL_MODE_FRONT_AND_BACK : constant VkCullModeFlagBits := 3;
VK_CULL_MODE_FLAG_BITS_MAX_ENUM : constant VkCullModeFlagBits := 2147483647; -- vulkan_core.h:1901
subtype VkCullModeFlags is VkFlags; -- vulkan_core.h:1908
subtype VkPipelineVertexInputStateCreateFlags is VkFlags; -- vulkan_core.h:1909
subtype VkPipelineInputAssemblyStateCreateFlags is VkFlags; -- vulkan_core.h:1910
subtype VkPipelineTessellationStateCreateFlags is VkFlags; -- vulkan_core.h:1911
subtype VkPipelineViewportStateCreateFlags is VkFlags; -- vulkan_core.h:1912
subtype VkPipelineRasterizationStateCreateFlags is VkFlags; -- vulkan_core.h:1913
subtype VkPipelineMultisampleStateCreateFlags is VkFlags; -- vulkan_core.h:1914
subtype VkPipelineDepthStencilStateCreateFlags is VkFlags; -- vulkan_core.h:1915
subtype VkPipelineColorBlendStateCreateFlags is VkFlags; -- vulkan_core.h:1916
subtype VkPipelineDynamicStateCreateFlags is VkFlags; -- vulkan_core.h:1917
subtype VkPipelineLayoutCreateFlags is VkFlags; -- vulkan_core.h:1918
subtype VkShaderStageFlags is VkFlags; -- vulkan_core.h:1919
subtype VkSamplerCreateFlagBits is unsigned;
VK_SAMPLER_CREATE_SUBSAMPLED_BIT_EXT : constant VkSamplerCreateFlagBits := 1;
VK_SAMPLER_CREATE_SUBSAMPLED_COARSE_RECONSTRUCTION_BIT_EXT : constant VkSamplerCreateFlagBits := 2;
VK_SAMPLER_CREATE_FLAG_BITS_MAX_ENUM : constant VkSamplerCreateFlagBits := 2147483647; -- vulkan_core.h:1921
subtype VkSamplerCreateFlags is VkFlags; -- vulkan_core.h:1926
subtype VkDescriptorPoolCreateFlagBits is unsigned;
VK_DESCRIPTOR_POOL_CREATE_FREE_DESCRIPTOR_SET_BIT : constant VkDescriptorPoolCreateFlagBits := 1;
VK_DESCRIPTOR_POOL_CREATE_UPDATE_AFTER_BIND_BIT : constant VkDescriptorPoolCreateFlagBits := 2;
VK_DESCRIPTOR_POOL_CREATE_HOST_ONLY_BIT_VALVE : constant VkDescriptorPoolCreateFlagBits := 4;
VK_DESCRIPTOR_POOL_CREATE_UPDATE_AFTER_BIND_BIT_EXT : constant VkDescriptorPoolCreateFlagBits := 2;
VK_DESCRIPTOR_POOL_CREATE_FLAG_BITS_MAX_ENUM : constant VkDescriptorPoolCreateFlagBits := 2147483647; -- vulkan_core.h:1928
subtype VkDescriptorPoolCreateFlags is VkFlags; -- vulkan_core.h:1935
subtype VkDescriptorPoolResetFlags is VkFlags; -- vulkan_core.h:1936
subtype VkDescriptorSetLayoutCreateFlagBits is unsigned;
VK_DESCRIPTOR_SET_LAYOUT_CREATE_UPDATE_AFTER_BIND_POOL_BIT : constant VkDescriptorSetLayoutCreateFlagBits := 2;
VK_DESCRIPTOR_SET_LAYOUT_CREATE_PUSH_DESCRIPTOR_BIT_KHR : constant VkDescriptorSetLayoutCreateFlagBits := 1;
VK_DESCRIPTOR_SET_LAYOUT_CREATE_HOST_ONLY_POOL_BIT_VALVE : constant VkDescriptorSetLayoutCreateFlagBits := 4;
VK_DESCRIPTOR_SET_LAYOUT_CREATE_UPDATE_AFTER_BIND_POOL_BIT_EXT : constant VkDescriptorSetLayoutCreateFlagBits := 2;
VK_DESCRIPTOR_SET_LAYOUT_CREATE_FLAG_BITS_MAX_ENUM : constant VkDescriptorSetLayoutCreateFlagBits := 2147483647; -- vulkan_core.h:1938
subtype VkDescriptorSetLayoutCreateFlags is VkFlags; -- vulkan_core.h:1945
subtype VkAttachmentDescriptionFlagBits is unsigned;
VK_ATTACHMENT_DESCRIPTION_MAY_ALIAS_BIT : constant VkAttachmentDescriptionFlagBits := 1;
VK_ATTACHMENT_DESCRIPTION_FLAG_BITS_MAX_ENUM : constant VkAttachmentDescriptionFlagBits := 2147483647; -- vulkan_core.h:1947
subtype VkAttachmentDescriptionFlags is VkFlags; -- vulkan_core.h:1951
subtype VkDependencyFlagBits is unsigned;
VK_DEPENDENCY_BY_REGION_BIT : constant VkDependencyFlagBits := 1;
VK_DEPENDENCY_DEVICE_GROUP_BIT : constant VkDependencyFlagBits := 4;
VK_DEPENDENCY_VIEW_LOCAL_BIT : constant VkDependencyFlagBits := 2;
VK_DEPENDENCY_VIEW_LOCAL_BIT_KHR : constant VkDependencyFlagBits := 2;
VK_DEPENDENCY_DEVICE_GROUP_BIT_KHR : constant VkDependencyFlagBits := 4;
VK_DEPENDENCY_FLAG_BITS_MAX_ENUM : constant VkDependencyFlagBits := 2147483647; -- vulkan_core.h:1953
subtype VkDependencyFlags is VkFlags; -- vulkan_core.h:1961
subtype VkFramebufferCreateFlagBits is unsigned;
VK_FRAMEBUFFER_CREATE_IMAGELESS_BIT : constant VkFramebufferCreateFlagBits := 1;
VK_FRAMEBUFFER_CREATE_IMAGELESS_BIT_KHR : constant VkFramebufferCreateFlagBits := 1;
VK_FRAMEBUFFER_CREATE_FLAG_BITS_MAX_ENUM : constant VkFramebufferCreateFlagBits := 2147483647; -- vulkan_core.h:1963
subtype VkFramebufferCreateFlags is VkFlags; -- vulkan_core.h:1968
subtype VkRenderPassCreateFlagBits is unsigned;
VK_RENDER_PASS_CREATE_TRANSFORM_BIT_QCOM : constant VkRenderPassCreateFlagBits := 2;
VK_RENDER_PASS_CREATE_FLAG_BITS_MAX_ENUM : constant VkRenderPassCreateFlagBits := 2147483647; -- vulkan_core.h:1970
subtype VkRenderPassCreateFlags is VkFlags; -- vulkan_core.h:1974
subtype VkSubpassDescriptionFlagBits is unsigned;
VK_SUBPASS_DESCRIPTION_PER_VIEW_ATTRIBUTES_BIT_NVX : constant VkSubpassDescriptionFlagBits := 1;
VK_SUBPASS_DESCRIPTION_PER_VIEW_POSITION_X_ONLY_BIT_NVX : constant VkSubpassDescriptionFlagBits := 2;
VK_SUBPASS_DESCRIPTION_FRAGMENT_REGION_BIT_QCOM : constant VkSubpassDescriptionFlagBits := 4;
VK_SUBPASS_DESCRIPTION_SHADER_RESOLVE_BIT_QCOM : constant VkSubpassDescriptionFlagBits := 8;
VK_SUBPASS_DESCRIPTION_FLAG_BITS_MAX_ENUM : constant VkSubpassDescriptionFlagBits := 2147483647; -- vulkan_core.h:1976
subtype VkSubpassDescriptionFlags is VkFlags; -- vulkan_core.h:1983
subtype VkCommandPoolCreateFlagBits is unsigned;
VK_COMMAND_POOL_CREATE_TRANSIENT_BIT : constant VkCommandPoolCreateFlagBits := 1;
VK_COMMAND_POOL_CREATE_RESET_COMMAND_BUFFER_BIT : constant VkCommandPoolCreateFlagBits := 2;
VK_COMMAND_POOL_CREATE_PROTECTED_BIT : constant VkCommandPoolCreateFlagBits := 4;
VK_COMMAND_POOL_CREATE_FLAG_BITS_MAX_ENUM : constant VkCommandPoolCreateFlagBits := 2147483647; -- vulkan_core.h:1985
subtype VkCommandPoolCreateFlags is VkFlags; -- vulkan_core.h:1991
subtype VkCommandPoolResetFlagBits is unsigned;
VK_COMMAND_POOL_RESET_RELEASE_RESOURCES_BIT : constant VkCommandPoolResetFlagBits := 1;
VK_COMMAND_POOL_RESET_FLAG_BITS_MAX_ENUM : constant VkCommandPoolResetFlagBits := 2147483647; -- vulkan_core.h:1993
subtype VkCommandPoolResetFlags is VkFlags; -- vulkan_core.h:1997
subtype VkCommandBufferUsageFlagBits is unsigned;
VK_COMMAND_BUFFER_USAGE_ONE_TIME_SUBMIT_BIT : constant VkCommandBufferUsageFlagBits := 1;
VK_COMMAND_BUFFER_USAGE_RENDER_PASS_CONTINUE_BIT : constant VkCommandBufferUsageFlagBits := 2;
VK_COMMAND_BUFFER_USAGE_SIMULTANEOUS_USE_BIT : constant VkCommandBufferUsageFlagBits := 4;
VK_COMMAND_BUFFER_USAGE_FLAG_BITS_MAX_ENUM : constant VkCommandBufferUsageFlagBits := 2147483647; -- vulkan_core.h:1999
subtype VkCommandBufferUsageFlags is VkFlags; -- vulkan_core.h:2005
subtype VkQueryControlFlagBits is unsigned;
VK_QUERY_CONTROL_PRECISE_BIT : constant VkQueryControlFlagBits := 1;
VK_QUERY_CONTROL_FLAG_BITS_MAX_ENUM : constant VkQueryControlFlagBits := 2147483647; -- vulkan_core.h:2007
subtype VkQueryControlFlags is VkFlags; -- vulkan_core.h:2011
subtype VkCommandBufferResetFlagBits is unsigned;
VK_COMMAND_BUFFER_RESET_RELEASE_RESOURCES_BIT : constant VkCommandBufferResetFlagBits := 1;
VK_COMMAND_BUFFER_RESET_FLAG_BITS_MAX_ENUM : constant VkCommandBufferResetFlagBits := 2147483647; -- vulkan_core.h:2013
subtype VkCommandBufferResetFlags is VkFlags; -- vulkan_core.h:2017
subtype VkStencilFaceFlagBits is unsigned;
VK_STENCIL_FACE_FRONT_BIT : constant VkStencilFaceFlagBits := 1;
VK_STENCIL_FACE_BACK_BIT : constant VkStencilFaceFlagBits := 2;
VK_STENCIL_FACE_FRONT_AND_BACK : constant VkStencilFaceFlagBits := 3;
VK_STENCIL_FRONT_AND_BACK : constant VkStencilFaceFlagBits := 3;
VK_STENCIL_FACE_FLAG_BITS_MAX_ENUM : constant VkStencilFaceFlagBits := 2147483647; -- vulkan_core.h:2019
subtype VkStencilFaceFlags is VkFlags; -- vulkan_core.h:2026
type VkExtent2D is record
width : aliased stdint_h.uint32_t; -- vulkan_core.h:2028
height : aliased stdint_h.uint32_t; -- vulkan_core.h:2029
end record;
pragma Convention (C_Pass_By_Copy, VkExtent2D); -- vulkan_core.h:2027
type VkExtent3D is record
width : aliased stdint_h.uint32_t; -- vulkan_core.h:2033
height : aliased stdint_h.uint32_t; -- vulkan_core.h:2034
depth : aliased stdint_h.uint32_t; -- vulkan_core.h:2035
end record;
pragma Convention (C_Pass_By_Copy, VkExtent3D); -- vulkan_core.h:2032
type VkOffset2D is record
x : aliased stdint_h.int32_t; -- vulkan_core.h:2039
y : aliased stdint_h.int32_t; -- vulkan_core.h:2040
end record;
pragma Convention (C_Pass_By_Copy, VkOffset2D); -- vulkan_core.h:2038
type VkOffset3D is record
x : aliased stdint_h.int32_t; -- vulkan_core.h:2044
y : aliased stdint_h.int32_t; -- vulkan_core.h:2045
z : aliased stdint_h.int32_t; -- vulkan_core.h:2046
end record;
pragma Convention (C_Pass_By_Copy, VkOffset3D); -- vulkan_core.h:2043
type VkRect2D is record
offset : aliased VkOffset2D; -- vulkan_core.h:2050
extent : aliased VkExtent2D; -- vulkan_core.h:2051
end record;
pragma Convention (C_Pass_By_Copy, VkRect2D); -- vulkan_core.h:2049
type VkBaseInStructure is record
sType : aliased VkStructureType; -- vulkan_core.h:2055
pNext : access constant VkBaseInStructure; -- vulkan_core.h:2056
end record;
pragma Convention (C_Pass_By_Copy, VkBaseInStructure); -- vulkan_core.h:2054
type VkBaseOutStructure is record
sType : aliased VkStructureType; -- vulkan_core.h:2060
pNext : access VkBaseOutStructure; -- vulkan_core.h:2061
end record;
pragma Convention (C_Pass_By_Copy, VkBaseOutStructure); -- vulkan_core.h:2059
type VkBufferMemoryBarrier is record
sType : aliased VkStructureType; -- vulkan_core.h:2065
pNext : System.Address; -- vulkan_core.h:2066
srcAccessMask : aliased VkAccessFlags; -- vulkan_core.h:2067
dstAccessMask : aliased VkAccessFlags; -- vulkan_core.h:2068
srcQueueFamilyIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:2069
dstQueueFamilyIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:2070
buffer : VkBuffer; -- vulkan_core.h:2071
offset : aliased VkDeviceSize; -- vulkan_core.h:2072
size : aliased VkDeviceSize; -- vulkan_core.h:2073
end record;
pragma Convention (C_Pass_By_Copy, VkBufferMemoryBarrier); -- vulkan_core.h:2064
type VkDispatchIndirectCommand is record
x : aliased stdint_h.uint32_t; -- vulkan_core.h:2077
y : aliased stdint_h.uint32_t; -- vulkan_core.h:2078
z : aliased stdint_h.uint32_t; -- vulkan_core.h:2079
end record;
pragma Convention (C_Pass_By_Copy, VkDispatchIndirectCommand); -- vulkan_core.h:2076
type VkDrawIndexedIndirectCommand is record
indexCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2083
instanceCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2084
firstIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:2085
vertexOffset : aliased stdint_h.int32_t; -- vulkan_core.h:2086
firstInstance : aliased stdint_h.uint32_t; -- vulkan_core.h:2087
end record;
pragma Convention (C_Pass_By_Copy, VkDrawIndexedIndirectCommand); -- vulkan_core.h:2082
type VkDrawIndirectCommand is record
vertexCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2091
instanceCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2092
firstVertex : aliased stdint_h.uint32_t; -- vulkan_core.h:2093
firstInstance : aliased stdint_h.uint32_t; -- vulkan_core.h:2094
end record;
pragma Convention (C_Pass_By_Copy, VkDrawIndirectCommand); -- vulkan_core.h:2090
type VkImageSubresourceRange is record
aspectMask : aliased VkImageAspectFlags; -- vulkan_core.h:2098
baseMipLevel : aliased stdint_h.uint32_t; -- vulkan_core.h:2099
levelCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2100
baseArrayLayer : aliased stdint_h.uint32_t; -- vulkan_core.h:2101
layerCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2102
end record;
pragma Convention (C_Pass_By_Copy, VkImageSubresourceRange); -- vulkan_core.h:2097
type VkImageMemoryBarrier is record
sType : aliased VkStructureType; -- vulkan_core.h:2106
pNext : System.Address; -- vulkan_core.h:2107
srcAccessMask : aliased VkAccessFlags; -- vulkan_core.h:2108
dstAccessMask : aliased VkAccessFlags; -- vulkan_core.h:2109
oldLayout : aliased VkImageLayout; -- vulkan_core.h:2110
newLayout : aliased VkImageLayout; -- vulkan_core.h:2111
srcQueueFamilyIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:2112
dstQueueFamilyIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:2113
image : VkImage; -- vulkan_core.h:2114
subresourceRange : aliased VkImageSubresourceRange; -- vulkan_core.h:2115
end record;
pragma Convention (C_Pass_By_Copy, VkImageMemoryBarrier); -- vulkan_core.h:2105
type VkMemoryBarrier is record
sType : aliased VkStructureType; -- vulkan_core.h:2119
pNext : System.Address; -- vulkan_core.h:2120
srcAccessMask : aliased VkAccessFlags; -- vulkan_core.h:2121
dstAccessMask : aliased VkAccessFlags; -- vulkan_core.h:2122
end record;
pragma Convention (C_Pass_By_Copy, VkMemoryBarrier); -- vulkan_core.h:2118
type PFN_vkAllocationFunction is access function
(arg1 : System.Address;
arg2 : crtdefs_h.size_t;
arg3 : crtdefs_h.size_t;
arg4 : VkSystemAllocationScope) return System.Address;
pragma Convention (C, PFN_vkAllocationFunction); -- vulkan_core.h:2125
type PFN_vkFreeFunction is access procedure (arg1 : System.Address; arg2 : System.Address);
pragma Convention (C, PFN_vkFreeFunction); -- vulkan_core.h:2131
type PFN_vkInternalAllocationNotification is access procedure
(arg1 : System.Address;
arg2 : crtdefs_h.size_t;
arg3 : VkInternalAllocationType;
arg4 : VkSystemAllocationScope);
pragma Convention (C, PFN_vkInternalAllocationNotification); -- vulkan_core.h:2135
type PFN_vkInternalFreeNotification is access procedure
(arg1 : System.Address;
arg2 : crtdefs_h.size_t;
arg3 : VkInternalAllocationType;
arg4 : VkSystemAllocationScope);
pragma Convention (C, PFN_vkInternalFreeNotification); -- vulkan_core.h:2141
type PFN_vkReallocationFunction is access function
(arg1 : System.Address;
arg2 : System.Address;
arg3 : crtdefs_h.size_t;
arg4 : crtdefs_h.size_t;
arg5 : VkSystemAllocationScope) return System.Address;
pragma Convention (C, PFN_vkReallocationFunction); -- vulkan_core.h:2147
type PFN_vkVoidFunction is access procedure;
pragma Convention (C, PFN_vkVoidFunction); -- vulkan_core.h:2154
type VkAllocationCallbacks is record
pUserData : System.Address; -- vulkan_core.h:2156
pfnAllocation : PFN_vkAllocationFunction; -- vulkan_core.h:2157
pfnReallocation : PFN_vkReallocationFunction; -- vulkan_core.h:2158
pfnFree : PFN_vkFreeFunction; -- vulkan_core.h:2159
pfnInternalAllocation : PFN_vkInternalAllocationNotification; -- vulkan_core.h:2160
pfnInternalFree : PFN_vkInternalFreeNotification; -- vulkan_core.h:2161
end record;
pragma Convention (C_Pass_By_Copy, VkAllocationCallbacks); -- vulkan_core.h:2155
type VkApplicationInfo is record
sType : aliased VkStructureType := VK_STRUCTURE_TYPE_APPLICATION_INFO;
pNext : System.Address := System.Null_Address ;
pApplicationName : Interfaces.C.Strings.chars_ptr := Interfaces.C.Strings.Null_Ptr;
applicationVersion : aliased stdint_h.uint32_t := 0;
pEngineName : Interfaces.C.Strings.chars_ptr := Interfaces.C.Strings.Null_Ptr;
engineVersion : aliased stdint_h.uint32_t := 0;
apiVersion : aliased stdint_h.uint32_t; -- In absense of macro to use here, should force using software to initialize.
end record;
pragma Convention (C_Pass_By_Copy, VkApplicationInfo); -- vulkan_core.h:2164
type VkFormatProperties is record
linearTilingFeatures : aliased VkFormatFeatureFlags; -- vulkan_core.h:2175
optimalTilingFeatures : aliased VkFormatFeatureFlags; -- vulkan_core.h:2176
bufferFeatures : aliased VkFormatFeatureFlags; -- vulkan_core.h:2177
end record;
pragma Convention (C_Pass_By_Copy, VkFormatProperties); -- vulkan_core.h:2174
type VkImageFormatProperties is record
maxExtent : aliased VkExtent3D; -- vulkan_core.h:2181
maxMipLevels : aliased stdint_h.uint32_t; -- vulkan_core.h:2182
maxArrayLayers : aliased stdint_h.uint32_t; -- vulkan_core.h:2183
sampleCounts : aliased VkSampleCountFlags; -- vulkan_core.h:2184
maxResourceSize : aliased VkDeviceSize; -- vulkan_core.h:2185
end record;
pragma Convention (C_Pass_By_Copy, VkImageFormatProperties); -- vulkan_core.h:2180
type VkInstanceCreateInfo is record
sType : aliased VkStructureType := VK_STRUCTURE_TYPE_INSTANCE_CREATE_INFO;
pNext : System.Address := System.Null_Address ;
flags : aliased VkInstanceCreateFlags := 0;
pApplicationInfo : System.Address := System.Null_Address ;
enabledLayerCount : aliased stdint_h.uint32_t := 0;
ppEnabledLayerNames : System.Address := System.Null_Address ;
enabledExtensionCount : aliased stdint_h.uint32_t := 0;
ppEnabledExtensionNames : System.Address := System.Null_Address ;
end record;
pragma Convention (C_Pass_By_Copy, VkInstanceCreateInfo); -- vulkan_core.h:2188
type VkMemoryHeap is record
size : aliased VkDeviceSize; -- vulkan_core.h:2200
flags : aliased VkMemoryHeapFlags; -- vulkan_core.h:2201
end record;
pragma Convention (C_Pass_By_Copy, VkMemoryHeap); -- vulkan_core.h:2199
type VkMemoryType is record
propertyFlags : aliased VkMemoryPropertyFlags; -- vulkan_core.h:2205
heapIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:2206
end record;
pragma Convention (C_Pass_By_Copy, VkMemoryType); -- vulkan_core.h:2204
type VkPhysicalDeviceFeatures is record
robustBufferAccess : aliased VkBool32; -- vulkan_core.h:2210
fullDrawIndexUint32 : aliased VkBool32; -- vulkan_core.h:2211
imageCubeArray : aliased VkBool32; -- vulkan_core.h:2212
independentBlend : aliased VkBool32; -- vulkan_core.h:2213
geometryShader : aliased VkBool32; -- vulkan_core.h:2214
tessellationShader : aliased VkBool32; -- vulkan_core.h:2215
sampleRateShading : aliased VkBool32; -- vulkan_core.h:2216
dualSrcBlend : aliased VkBool32; -- vulkan_core.h:2217
logicOp : aliased VkBool32; -- vulkan_core.h:2218
multiDrawIndirect : aliased VkBool32; -- vulkan_core.h:2219
drawIndirectFirstInstance : aliased VkBool32; -- vulkan_core.h:2220
depthClamp : aliased VkBool32; -- vulkan_core.h:2221
depthBiasClamp : aliased VkBool32; -- vulkan_core.h:2222
fillModeNonSolid : aliased VkBool32; -- vulkan_core.h:2223
depthBounds : aliased VkBool32; -- vulkan_core.h:2224
wideLines : aliased VkBool32; -- vulkan_core.h:2225
largePoints : aliased VkBool32; -- vulkan_core.h:2226
alphaToOne : aliased VkBool32; -- vulkan_core.h:2227
multiViewport : aliased VkBool32; -- vulkan_core.h:2228
samplerAnisotropy : aliased VkBool32; -- vulkan_core.h:2229
textureCompressionETC2 : aliased VkBool32; -- vulkan_core.h:2230
textureCompressionASTC_LDR : aliased VkBool32; -- vulkan_core.h:2231
textureCompressionBC : aliased VkBool32; -- vulkan_core.h:2232
occlusionQueryPrecise : aliased VkBool32; -- vulkan_core.h:2233
pipelineStatisticsQuery : aliased VkBool32; -- vulkan_core.h:2234
vertexPipelineStoresAndAtomics : aliased VkBool32; -- vulkan_core.h:2235
fragmentStoresAndAtomics : aliased VkBool32; -- vulkan_core.h:2236
shaderTessellationAndGeometryPointSize : aliased VkBool32; -- vulkan_core.h:2237
shaderImageGatherExtended : aliased VkBool32; -- vulkan_core.h:2238
shaderStorageImageExtendedFormats : aliased VkBool32; -- vulkan_core.h:2239
shaderStorageImageMultisample : aliased VkBool32; -- vulkan_core.h:2240
shaderStorageImageReadWithoutFormat : aliased VkBool32; -- vulkan_core.h:2241
shaderStorageImageWriteWithoutFormat : aliased VkBool32; -- vulkan_core.h:2242
shaderUniformBufferArrayDynamicIndexing : aliased VkBool32; -- vulkan_core.h:2243
shaderSampledImageArrayDynamicIndexing : aliased VkBool32; -- vulkan_core.h:2244
shaderStorageBufferArrayDynamicIndexing : aliased VkBool32; -- vulkan_core.h:2245
shaderStorageImageArrayDynamicIndexing : aliased VkBool32; -- vulkan_core.h:2246
shaderClipDistance : aliased VkBool32; -- vulkan_core.h:2247
shaderCullDistance : aliased VkBool32; -- vulkan_core.h:2248
shaderFloat64 : aliased VkBool32; -- vulkan_core.h:2249
shaderInt64 : aliased VkBool32; -- vulkan_core.h:2250
shaderInt16 : aliased VkBool32; -- vulkan_core.h:2251
shaderResourceResidency : aliased VkBool32; -- vulkan_core.h:2252
shaderResourceMinLod : aliased VkBool32; -- vulkan_core.h:2253
sparseBinding : aliased VkBool32; -- vulkan_core.h:2254
sparseResidencyBuffer : aliased VkBool32; -- vulkan_core.h:2255
sparseResidencyImage2D : aliased VkBool32; -- vulkan_core.h:2256
sparseResidencyImage3D : aliased VkBool32; -- vulkan_core.h:2257
sparseResidency2Samples : aliased VkBool32; -- vulkan_core.h:2258
sparseResidency4Samples : aliased VkBool32; -- vulkan_core.h:2259
sparseResidency8Samples : aliased VkBool32; -- vulkan_core.h:2260
sparseResidency16Samples : aliased VkBool32; -- vulkan_core.h:2261
sparseResidencyAliased : aliased VkBool32; -- vulkan_core.h:2262
variableMultisampleRate : aliased VkBool32; -- vulkan_core.h:2263
inheritedQueries : aliased VkBool32; -- vulkan_core.h:2264
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceFeatures); -- vulkan_core.h:2209
type VkPhysicalDeviceLimits_maxComputeWorkGroupCount_array is array (0 .. 2) of aliased stdint_h.uint32_t;
type VkPhysicalDeviceLimits_maxComputeWorkGroupSize_array is array (0 .. 2) of aliased stdint_h.uint32_t;
type VkPhysicalDeviceLimits_maxViewportDimensions_array is array (0 .. 1) of aliased stdint_h.uint32_t;
type VkPhysicalDeviceLimits_viewportBoundsRange_array is array (0 .. 1) of aliased float;
type VkPhysicalDeviceLimits_pointSizeRange_array is array (0 .. 1) of aliased float;
type VkPhysicalDeviceLimits_lineWidthRange_array is array (0 .. 1) of aliased float;
type VkPhysicalDeviceLimits is record
maxImageDimension1D : aliased stdint_h.uint32_t; -- vulkan_core.h:2268
maxImageDimension2D : aliased stdint_h.uint32_t; -- vulkan_core.h:2269
maxImageDimension3D : aliased stdint_h.uint32_t; -- vulkan_core.h:2270
maxImageDimensionCube : aliased stdint_h.uint32_t; -- vulkan_core.h:2271
maxImageArrayLayers : aliased stdint_h.uint32_t; -- vulkan_core.h:2272
maxTexelBufferElements : aliased stdint_h.uint32_t; -- vulkan_core.h:2273
maxUniformBufferRange : aliased stdint_h.uint32_t; -- vulkan_core.h:2274
maxStorageBufferRange : aliased stdint_h.uint32_t; -- vulkan_core.h:2275
maxPushConstantsSize : aliased stdint_h.uint32_t; -- vulkan_core.h:2276
maxMemoryAllocationCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2277
maxSamplerAllocationCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2278
bufferImageGranularity : aliased VkDeviceSize; -- vulkan_core.h:2279
sparseAddressSpaceSize : aliased VkDeviceSize; -- vulkan_core.h:2280
maxBoundDescriptorSets : aliased stdint_h.uint32_t; -- vulkan_core.h:2281
maxPerStageDescriptorSamplers : aliased stdint_h.uint32_t; -- vulkan_core.h:2282
maxPerStageDescriptorUniformBuffers : aliased stdint_h.uint32_t; -- vulkan_core.h:2283
maxPerStageDescriptorStorageBuffers : aliased stdint_h.uint32_t; -- vulkan_core.h:2284
maxPerStageDescriptorSampledImages : aliased stdint_h.uint32_t; -- vulkan_core.h:2285
maxPerStageDescriptorStorageImages : aliased stdint_h.uint32_t; -- vulkan_core.h:2286
maxPerStageDescriptorInputAttachments : aliased stdint_h.uint32_t; -- vulkan_core.h:2287
maxPerStageResources : aliased stdint_h.uint32_t; -- vulkan_core.h:2288
maxDescriptorSetSamplers : aliased stdint_h.uint32_t; -- vulkan_core.h:2289
maxDescriptorSetUniformBuffers : aliased stdint_h.uint32_t; -- vulkan_core.h:2290
maxDescriptorSetUniformBuffersDynamic : aliased stdint_h.uint32_t; -- vulkan_core.h:2291
maxDescriptorSetStorageBuffers : aliased stdint_h.uint32_t; -- vulkan_core.h:2292
maxDescriptorSetStorageBuffersDynamic : aliased stdint_h.uint32_t; -- vulkan_core.h:2293
maxDescriptorSetSampledImages : aliased stdint_h.uint32_t; -- vulkan_core.h:2294
maxDescriptorSetStorageImages : aliased stdint_h.uint32_t; -- vulkan_core.h:2295
maxDescriptorSetInputAttachments : aliased stdint_h.uint32_t; -- vulkan_core.h:2296
maxVertexInputAttributes : aliased stdint_h.uint32_t; -- vulkan_core.h:2297
maxVertexInputBindings : aliased stdint_h.uint32_t; -- vulkan_core.h:2298
maxVertexInputAttributeOffset : aliased stdint_h.uint32_t; -- vulkan_core.h:2299
maxVertexInputBindingStride : aliased stdint_h.uint32_t; -- vulkan_core.h:2300
maxVertexOutputComponents : aliased stdint_h.uint32_t; -- vulkan_core.h:2301
maxTessellationGenerationLevel : aliased stdint_h.uint32_t; -- vulkan_core.h:2302
maxTessellationPatchSize : aliased stdint_h.uint32_t; -- vulkan_core.h:2303
maxTessellationControlPerVertexInputComponents : aliased stdint_h.uint32_t; -- vulkan_core.h:2304
maxTessellationControlPerVertexOutputComponents : aliased stdint_h.uint32_t; -- vulkan_core.h:2305
maxTessellationControlPerPatchOutputComponents : aliased stdint_h.uint32_t; -- vulkan_core.h:2306
maxTessellationControlTotalOutputComponents : aliased stdint_h.uint32_t; -- vulkan_core.h:2307
maxTessellationEvaluationInputComponents : aliased stdint_h.uint32_t; -- vulkan_core.h:2308
maxTessellationEvaluationOutputComponents : aliased stdint_h.uint32_t; -- vulkan_core.h:2309
maxGeometryShaderInvocations : aliased stdint_h.uint32_t; -- vulkan_core.h:2310
maxGeometryInputComponents : aliased stdint_h.uint32_t; -- vulkan_core.h:2311
maxGeometryOutputComponents : aliased stdint_h.uint32_t; -- vulkan_core.h:2312
maxGeometryOutputVertices : aliased stdint_h.uint32_t; -- vulkan_core.h:2313
maxGeometryTotalOutputComponents : aliased stdint_h.uint32_t; -- vulkan_core.h:2314
maxFragmentInputComponents : aliased stdint_h.uint32_t; -- vulkan_core.h:2315
maxFragmentOutputAttachments : aliased stdint_h.uint32_t; -- vulkan_core.h:2316
maxFragmentDualSrcAttachments : aliased stdint_h.uint32_t; -- vulkan_core.h:2317
maxFragmentCombinedOutputResources : aliased stdint_h.uint32_t; -- vulkan_core.h:2318
maxComputeSharedMemorySize : aliased stdint_h.uint32_t; -- vulkan_core.h:2319
maxComputeWorkGroupCount : aliased VkPhysicalDeviceLimits_maxComputeWorkGroupCount_array; -- vulkan_core.h:2320
maxComputeWorkGroupInvocations : aliased stdint_h.uint32_t; -- vulkan_core.h:2321
maxComputeWorkGroupSize : aliased VkPhysicalDeviceLimits_maxComputeWorkGroupSize_array; -- vulkan_core.h:2322
subPixelPrecisionBits : aliased stdint_h.uint32_t; -- vulkan_core.h:2323
subTexelPrecisionBits : aliased stdint_h.uint32_t; -- vulkan_core.h:2324
mipmapPrecisionBits : aliased stdint_h.uint32_t; -- vulkan_core.h:2325
maxDrawIndexedIndexValue : aliased stdint_h.uint32_t; -- vulkan_core.h:2326
maxDrawIndirectCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2327
maxSamplerLodBias : aliased float; -- vulkan_core.h:2328
maxSamplerAnisotropy : aliased float; -- vulkan_core.h:2329
maxViewports : aliased stdint_h.uint32_t; -- vulkan_core.h:2330
maxViewportDimensions : aliased VkPhysicalDeviceLimits_maxViewportDimensions_array; -- vulkan_core.h:2331
viewportBoundsRange : aliased VkPhysicalDeviceLimits_viewportBoundsRange_array; -- vulkan_core.h:2332
viewportSubPixelBits : aliased stdint_h.uint32_t; -- vulkan_core.h:2333
minMemoryMapAlignment : aliased crtdefs_h.size_t; -- vulkan_core.h:2334
minTexelBufferOffsetAlignment : aliased VkDeviceSize; -- vulkan_core.h:2335
minUniformBufferOffsetAlignment : aliased VkDeviceSize; -- vulkan_core.h:2336
minStorageBufferOffsetAlignment : aliased VkDeviceSize; -- vulkan_core.h:2337
minTexelOffset : aliased stdint_h.int32_t; -- vulkan_core.h:2338
maxTexelOffset : aliased stdint_h.uint32_t; -- vulkan_core.h:2339
minTexelGatherOffset : aliased stdint_h.int32_t; -- vulkan_core.h:2340
maxTexelGatherOffset : aliased stdint_h.uint32_t; -- vulkan_core.h:2341
minInterpolationOffset : aliased float; -- vulkan_core.h:2342
maxInterpolationOffset : aliased float; -- vulkan_core.h:2343
subPixelInterpolationOffsetBits : aliased stdint_h.uint32_t; -- vulkan_core.h:2344
maxFramebufferWidth : aliased stdint_h.uint32_t; -- vulkan_core.h:2345
maxFramebufferHeight : aliased stdint_h.uint32_t; -- vulkan_core.h:2346
maxFramebufferLayers : aliased stdint_h.uint32_t; -- vulkan_core.h:2347
framebufferColorSampleCounts : aliased VkSampleCountFlags; -- vulkan_core.h:2348
framebufferDepthSampleCounts : aliased VkSampleCountFlags; -- vulkan_core.h:2349
framebufferStencilSampleCounts : aliased VkSampleCountFlags; -- vulkan_core.h:2350
framebufferNoAttachmentsSampleCounts : aliased VkSampleCountFlags; -- vulkan_core.h:2351
maxColorAttachments : aliased stdint_h.uint32_t; -- vulkan_core.h:2352
sampledImageColorSampleCounts : aliased VkSampleCountFlags; -- vulkan_core.h:2353
sampledImageIntegerSampleCounts : aliased VkSampleCountFlags; -- vulkan_core.h:2354
sampledImageDepthSampleCounts : aliased VkSampleCountFlags; -- vulkan_core.h:2355
sampledImageStencilSampleCounts : aliased VkSampleCountFlags; -- vulkan_core.h:2356
storageImageSampleCounts : aliased VkSampleCountFlags; -- vulkan_core.h:2357
maxSampleMaskWords : aliased stdint_h.uint32_t; -- vulkan_core.h:2358
timestampComputeAndGraphics : aliased VkBool32; -- vulkan_core.h:2359
timestampPeriod : aliased float; -- vulkan_core.h:2360
maxClipDistances : aliased stdint_h.uint32_t; -- vulkan_core.h:2361
maxCullDistances : aliased stdint_h.uint32_t; -- vulkan_core.h:2362
maxCombinedClipAndCullDistances : aliased stdint_h.uint32_t; -- vulkan_core.h:2363
discreteQueuePriorities : aliased stdint_h.uint32_t; -- vulkan_core.h:2364
pointSizeRange : aliased VkPhysicalDeviceLimits_pointSizeRange_array; -- vulkan_core.h:2365
lineWidthRange : aliased VkPhysicalDeviceLimits_lineWidthRange_array; -- vulkan_core.h:2366
pointSizeGranularity : aliased float; -- vulkan_core.h:2367
lineWidthGranularity : aliased float; -- vulkan_core.h:2368
strictLines : aliased VkBool32; -- vulkan_core.h:2369
standardSampleLocations : aliased VkBool32; -- vulkan_core.h:2370
optimalBufferCopyOffsetAlignment : aliased VkDeviceSize; -- vulkan_core.h:2371
optimalBufferCopyRowPitchAlignment : aliased VkDeviceSize; -- vulkan_core.h:2372
nonCoherentAtomSize : aliased VkDeviceSize; -- vulkan_core.h:2373
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceLimits); -- vulkan_core.h:2267
type VkPhysicalDeviceMemoryProperties_memoryTypes_array is array (0 .. 31) of aliased VkMemoryType;
type VkPhysicalDeviceMemoryProperties_memoryHeaps_array is array (0 .. 15) of aliased VkMemoryHeap;
type VkPhysicalDeviceMemoryProperties is record
memoryTypeCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2377
memoryTypes : aliased VkPhysicalDeviceMemoryProperties_memoryTypes_array; -- vulkan_core.h:2378
memoryHeapCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2379
memoryHeaps : aliased VkPhysicalDeviceMemoryProperties_memoryHeaps_array; -- vulkan_core.h:2380
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceMemoryProperties); -- vulkan_core.h:2376
type VkPhysicalDeviceSparseProperties is record
residencyStandard2DBlockShape : aliased VkBool32; -- vulkan_core.h:2384
residencyStandard2DMultisampleBlockShape : aliased VkBool32; -- vulkan_core.h:2385
residencyStandard3DBlockShape : aliased VkBool32; -- vulkan_core.h:2386
residencyAlignedMipSize : aliased VkBool32; -- vulkan_core.h:2387
residencyNonResidentStrict : aliased VkBool32; -- vulkan_core.h:2388
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceSparseProperties); -- vulkan_core.h:2383
subtype VkPhysicalDeviceProperties_deviceName_array is Interfaces.C.char_array (0 .. 255);
type VkPhysicalDeviceProperties_pipelineCacheUUID_array is array (0 .. 15) of aliased stdint_h.uint8_t;
type VkPhysicalDeviceProperties is record
apiVersion : aliased stdint_h.uint32_t; -- vulkan_core.h:2392
driverVersion : aliased stdint_h.uint32_t; -- vulkan_core.h:2393
vendorID : aliased stdint_h.uint32_t; -- vulkan_core.h:2394
deviceID : aliased stdint_h.uint32_t; -- vulkan_core.h:2395
deviceType : aliased VkPhysicalDeviceType; -- vulkan_core.h:2396
deviceName : aliased VkPhysicalDeviceProperties_deviceName_array; -- vulkan_core.h:2397
pipelineCacheUUID : aliased VkPhysicalDeviceProperties_pipelineCacheUUID_array; -- vulkan_core.h:2398
limits : aliased VkPhysicalDeviceLimits; -- vulkan_core.h:2399
sparseProperties : aliased VkPhysicalDeviceSparseProperties; -- vulkan_core.h:2400
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceProperties); -- vulkan_core.h:2391
type VkQueueFamilyProperties is record
queueFlags : aliased VkQueueFlags; -- vulkan_core.h:2404
queueCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2405
timestampValidBits : aliased stdint_h.uint32_t; -- vulkan_core.h:2406
minImageTransferGranularity : aliased VkExtent3D; -- vulkan_core.h:2407
end record;
pragma Convention (C_Pass_By_Copy, VkQueueFamilyProperties); -- vulkan_core.h:2403
type VkDeviceQueueCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2411
pNext : System.Address; -- vulkan_core.h:2412
flags : aliased VkDeviceQueueCreateFlags; -- vulkan_core.h:2413
queueFamilyIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:2414
queueCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2415
pQueuePriorities : access float; -- vulkan_core.h:2416
end record;
pragma Convention (C_Pass_By_Copy, VkDeviceQueueCreateInfo); -- vulkan_core.h:2410
type VkDeviceCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2420
pNext : System.Address; -- vulkan_core.h:2421
flags : aliased VkDeviceCreateFlags; -- vulkan_core.h:2422
queueCreateInfoCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2423
pQueueCreateInfos : System.Address; -- vulkan_core.h:2424
enabledLayerCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2425
ppEnabledLayerNames : System.Address; -- vulkan_core.h:2426
enabledExtensionCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2427
ppEnabledExtensionNames : System.Address; -- vulkan_core.h:2428
pEnabledFeatures : System.Address; -- vulkan_core.h:2429
end record;
pragma Convention (C_Pass_By_Copy, VkDeviceCreateInfo); -- vulkan_core.h:2419
subtype VkExtensionProperties_extensionName_array is Interfaces.C.char_array (0 .. 255);
type VkExtensionProperties is record
extensionName : aliased VkExtensionProperties_extensionName_array; -- vulkan_core.h:2433
specVersion : aliased stdint_h.uint32_t; -- vulkan_core.h:2434
end record;
pragma Convention (C_Pass_By_Copy, VkExtensionProperties); -- vulkan_core.h:2432
subtype VkLayerProperties_layerName_array is Interfaces.C.char_array (0 .. 255);
subtype VkLayerProperties_description_array is Interfaces.C.char_array (0 .. 255);
type VkLayerProperties is record
layerName : aliased VkLayerProperties_layerName_array; -- vulkan_core.h:2438
specVersion : aliased stdint_h.uint32_t; -- vulkan_core.h:2439
implementationVersion : aliased stdint_h.uint32_t; -- vulkan_core.h:2440
description : aliased VkLayerProperties_description_array; -- vulkan_core.h:2441
end record;
pragma Convention (C_Pass_By_Copy, VkLayerProperties); -- vulkan_core.h:2437
type VkSubmitInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2445
pNext : System.Address; -- vulkan_core.h:2446
waitSemaphoreCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2447
pWaitSemaphores : System.Address; -- vulkan_core.h:2448
pWaitDstStageMask : access VkPipelineStageFlags; -- vulkan_core.h:2449
commandBufferCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2450
pCommandBuffers : System.Address; -- vulkan_core.h:2451
signalSemaphoreCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2452
pSignalSemaphores : System.Address; -- vulkan_core.h:2453
end record;
pragma Convention (C_Pass_By_Copy, VkSubmitInfo); -- vulkan_core.h:2444
type VkMappedMemoryRange is record
sType : aliased VkStructureType; -- vulkan_core.h:2457
pNext : System.Address; -- vulkan_core.h:2458
memory : VkDeviceMemory; -- vulkan_core.h:2459
offset : aliased VkDeviceSize; -- vulkan_core.h:2460
size : aliased VkDeviceSize; -- vulkan_core.h:2461
end record;
pragma Convention (C_Pass_By_Copy, VkMappedMemoryRange); -- vulkan_core.h:2456
type VkMemoryAllocateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2465
pNext : System.Address; -- vulkan_core.h:2466
allocationSize : aliased VkDeviceSize; -- vulkan_core.h:2467
memoryTypeIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:2468
end record;
pragma Convention (C_Pass_By_Copy, VkMemoryAllocateInfo); -- vulkan_core.h:2464
type VkMemoryRequirements is record
size : aliased VkDeviceSize; -- vulkan_core.h:2472
alignment : aliased VkDeviceSize; -- vulkan_core.h:2473
memoryTypeBits : aliased stdint_h.uint32_t; -- vulkan_core.h:2474
end record;
pragma Convention (C_Pass_By_Copy, VkMemoryRequirements); -- vulkan_core.h:2471
type VkSparseMemoryBind is record
resourceOffset : aliased VkDeviceSize; -- vulkan_core.h:2478
size : aliased VkDeviceSize; -- vulkan_core.h:2479
memory : VkDeviceMemory; -- vulkan_core.h:2480
memoryOffset : aliased VkDeviceSize; -- vulkan_core.h:2481
flags : aliased VkSparseMemoryBindFlags; -- vulkan_core.h:2482
end record;
pragma Convention (C_Pass_By_Copy, VkSparseMemoryBind); -- vulkan_core.h:2477
type VkSparseBufferMemoryBindInfo is record
buffer : VkBuffer; -- vulkan_core.h:2486
bindCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2487
pBinds : System.Address; -- vulkan_core.h:2488
end record;
pragma Convention (C_Pass_By_Copy, VkSparseBufferMemoryBindInfo); -- vulkan_core.h:2485
type VkSparseImageOpaqueMemoryBindInfo is record
image : VkImage; -- vulkan_core.h:2492
bindCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2493
pBinds : System.Address; -- vulkan_core.h:2494
end record;
pragma Convention (C_Pass_By_Copy, VkSparseImageOpaqueMemoryBindInfo); -- vulkan_core.h:2491
type VkImageSubresource is record
aspectMask : aliased VkImageAspectFlags; -- vulkan_core.h:2498
mipLevel : aliased stdint_h.uint32_t; -- vulkan_core.h:2499
arrayLayer : aliased stdint_h.uint32_t; -- vulkan_core.h:2500
end record;
pragma Convention (C_Pass_By_Copy, VkImageSubresource); -- vulkan_core.h:2497
type VkSparseImageMemoryBind is record
subresource : aliased VkImageSubresource; -- vulkan_core.h:2504
offset : aliased VkOffset3D; -- vulkan_core.h:2505
extent : aliased VkExtent3D; -- vulkan_core.h:2506
memory : VkDeviceMemory; -- vulkan_core.h:2507
memoryOffset : aliased VkDeviceSize; -- vulkan_core.h:2508
flags : aliased VkSparseMemoryBindFlags; -- vulkan_core.h:2509
end record;
pragma Convention (C_Pass_By_Copy, VkSparseImageMemoryBind); -- vulkan_core.h:2503
type VkSparseImageMemoryBindInfo is record
image : VkImage; -- vulkan_core.h:2513
bindCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2514
pBinds : System.Address; -- vulkan_core.h:2515
end record;
pragma Convention (C_Pass_By_Copy, VkSparseImageMemoryBindInfo); -- vulkan_core.h:2512
type VkBindSparseInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2519
pNext : System.Address; -- vulkan_core.h:2520
waitSemaphoreCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2521
pWaitSemaphores : System.Address; -- vulkan_core.h:2522
bufferBindCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2523
pBufferBinds : System.Address; -- vulkan_core.h:2524
imageOpaqueBindCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2525
pImageOpaqueBinds : System.Address; -- vulkan_core.h:2526
imageBindCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2527
pImageBinds : System.Address; -- vulkan_core.h:2528
signalSemaphoreCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2529
pSignalSemaphores : System.Address; -- vulkan_core.h:2530
end record;
pragma Convention (C_Pass_By_Copy, VkBindSparseInfo); -- vulkan_core.h:2518
type VkSparseImageFormatProperties is record
aspectMask : aliased VkImageAspectFlags; -- vulkan_core.h:2534
imageGranularity : aliased VkExtent3D; -- vulkan_core.h:2535
flags : aliased VkSparseImageFormatFlags; -- vulkan_core.h:2536
end record;
pragma Convention (C_Pass_By_Copy, VkSparseImageFormatProperties); -- vulkan_core.h:2533
type VkSparseImageMemoryRequirements is record
formatProperties : aliased VkSparseImageFormatProperties; -- vulkan_core.h:2540
imageMipTailFirstLod : aliased stdint_h.uint32_t; -- vulkan_core.h:2541
imageMipTailSize : aliased VkDeviceSize; -- vulkan_core.h:2542
imageMipTailOffset : aliased VkDeviceSize; -- vulkan_core.h:2543
imageMipTailStride : aliased VkDeviceSize; -- vulkan_core.h:2544
end record;
pragma Convention (C_Pass_By_Copy, VkSparseImageMemoryRequirements); -- vulkan_core.h:2539
type VkFenceCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2548
pNext : System.Address; -- vulkan_core.h:2549
flags : aliased VkFenceCreateFlags; -- vulkan_core.h:2550
end record;
pragma Convention (C_Pass_By_Copy, VkFenceCreateInfo); -- vulkan_core.h:2547
type VkSemaphoreCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2554
pNext : System.Address; -- vulkan_core.h:2555
flags : aliased VkSemaphoreCreateFlags; -- vulkan_core.h:2556
end record;
pragma Convention (C_Pass_By_Copy, VkSemaphoreCreateInfo); -- vulkan_core.h:2553
type VkEventCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2560
pNext : System.Address; -- vulkan_core.h:2561
flags : aliased VkEventCreateFlags; -- vulkan_core.h:2562
end record;
pragma Convention (C_Pass_By_Copy, VkEventCreateInfo); -- vulkan_core.h:2559
type VkQueryPoolCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2566
pNext : System.Address; -- vulkan_core.h:2567
flags : aliased VkQueryPoolCreateFlags; -- vulkan_core.h:2568
queryType : aliased VkQueryType; -- vulkan_core.h:2569
queryCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2570
pipelineStatistics : aliased VkQueryPipelineStatisticFlags; -- vulkan_core.h:2571
end record;
pragma Convention (C_Pass_By_Copy, VkQueryPoolCreateInfo); -- vulkan_core.h:2565
type VkBufferCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2575
pNext : System.Address; -- vulkan_core.h:2576
flags : aliased VkBufferCreateFlags; -- vulkan_core.h:2577
size : aliased VkDeviceSize; -- vulkan_core.h:2578
usage : aliased VkBufferUsageFlags; -- vulkan_core.h:2579
sharingMode : aliased VkSharingMode; -- vulkan_core.h:2580
queueFamilyIndexCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2581
pQueueFamilyIndices : access stdint_h.uint32_t; -- vulkan_core.h:2582
end record;
pragma Convention (C_Pass_By_Copy, VkBufferCreateInfo); -- vulkan_core.h:2574
type VkBufferViewCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2586
pNext : System.Address; -- vulkan_core.h:2587
flags : aliased VkBufferViewCreateFlags; -- vulkan_core.h:2588
buffer : VkBuffer; -- vulkan_core.h:2589
format : aliased VkFormat; -- vulkan_core.h:2590
offset : aliased VkDeviceSize; -- vulkan_core.h:2591
c_range : aliased VkDeviceSize; -- vulkan_core.h:2592
end record;
pragma Convention (C_Pass_By_Copy, VkBufferViewCreateInfo); -- vulkan_core.h:2585
type VkImageCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2596
pNext : System.Address; -- vulkan_core.h:2597
flags : aliased VkImageCreateFlags; -- vulkan_core.h:2598
imageType : aliased VkImageType; -- vulkan_core.h:2599
format : aliased VkFormat; -- vulkan_core.h:2600
extent : aliased VkExtent3D; -- vulkan_core.h:2601
mipLevels : aliased stdint_h.uint32_t; -- vulkan_core.h:2602
arrayLayers : aliased stdint_h.uint32_t; -- vulkan_core.h:2603
samples : aliased VkSampleCountFlagBits; -- vulkan_core.h:2604
tiling : aliased VkImageTiling; -- vulkan_core.h:2605
usage : aliased VkImageUsageFlags; -- vulkan_core.h:2606
sharingMode : aliased VkSharingMode; -- vulkan_core.h:2607
queueFamilyIndexCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2608
pQueueFamilyIndices : access stdint_h.uint32_t; -- vulkan_core.h:2609
initialLayout : aliased VkImageLayout; -- vulkan_core.h:2610
end record;
pragma Convention (C_Pass_By_Copy, VkImageCreateInfo); -- vulkan_core.h:2595
type VkSubresourceLayout is record
offset : aliased VkDeviceSize; -- vulkan_core.h:2614
size : aliased VkDeviceSize; -- vulkan_core.h:2615
rowPitch : aliased VkDeviceSize; -- vulkan_core.h:2616
arrayPitch : aliased VkDeviceSize; -- vulkan_core.h:2617
depthPitch : aliased VkDeviceSize; -- vulkan_core.h:2618
end record;
pragma Convention (C_Pass_By_Copy, VkSubresourceLayout); -- vulkan_core.h:2613
type VkComponentMapping is record
r : aliased VkComponentSwizzle; -- vulkan_core.h:2622
g : aliased VkComponentSwizzle; -- vulkan_core.h:2623
b : aliased VkComponentSwizzle; -- vulkan_core.h:2624
a : aliased VkComponentSwizzle; -- vulkan_core.h:2625
end record;
pragma Convention (C_Pass_By_Copy, VkComponentMapping); -- vulkan_core.h:2621
type VkImageViewCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2629
pNext : System.Address; -- vulkan_core.h:2630
flags : aliased VkImageViewCreateFlags; -- vulkan_core.h:2631
image : VkImage; -- vulkan_core.h:2632
viewType : aliased VkImageViewType; -- vulkan_core.h:2633
format : aliased VkFormat; -- vulkan_core.h:2634
components : aliased VkComponentMapping; -- vulkan_core.h:2635
subresourceRange : aliased VkImageSubresourceRange; -- vulkan_core.h:2636
end record;
pragma Convention (C_Pass_By_Copy, VkImageViewCreateInfo); -- vulkan_core.h:2628
type VkShaderModuleCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2640
pNext : System.Address; -- vulkan_core.h:2641
flags : aliased VkShaderModuleCreateFlags; -- vulkan_core.h:2642
codeSize : aliased crtdefs_h.size_t; -- vulkan_core.h:2643
pCode : access stdint_h.uint32_t; -- vulkan_core.h:2644
end record;
pragma Convention (C_Pass_By_Copy, VkShaderModuleCreateInfo); -- vulkan_core.h:2639
type VkPipelineCacheCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2648
pNext : System.Address; -- vulkan_core.h:2649
flags : aliased VkPipelineCacheCreateFlags; -- vulkan_core.h:2650
initialDataSize : aliased crtdefs_h.size_t; -- vulkan_core.h:2651
pInitialData : System.Address; -- vulkan_core.h:2652
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineCacheCreateInfo); -- vulkan_core.h:2647
type VkSpecializationMapEntry is record
constantID : aliased stdint_h.uint32_t; -- vulkan_core.h:2656
offset : aliased stdint_h.uint32_t; -- vulkan_core.h:2657
size : aliased crtdefs_h.size_t; -- vulkan_core.h:2658
end record;
pragma Convention (C_Pass_By_Copy, VkSpecializationMapEntry); -- vulkan_core.h:2655
type VkSpecializationInfo is record
mapEntryCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2662
pMapEntries : System.Address; -- vulkan_core.h:2663
dataSize : aliased crtdefs_h.size_t; -- vulkan_core.h:2664
pData : System.Address; -- vulkan_core.h:2665
end record;
pragma Convention (C_Pass_By_Copy, VkSpecializationInfo); -- vulkan_core.h:2661
type VkPipelineShaderStageCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2669
pNext : System.Address; -- vulkan_core.h:2670
flags : aliased VkPipelineShaderStageCreateFlags; -- vulkan_core.h:2671
stage : aliased VkShaderStageFlagBits; -- vulkan_core.h:2672
module : VkShaderModule; -- vulkan_core.h:2673
pName : Interfaces.C.Strings.chars_ptr; -- vulkan_core.h:2674
pSpecializationInfo : System.Address; -- vulkan_core.h:2675
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineShaderStageCreateInfo); -- vulkan_core.h:2668
type VkComputePipelineCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2679
pNext : System.Address; -- vulkan_core.h:2680
flags : aliased VkPipelineCreateFlags; -- vulkan_core.h:2681
stage : aliased VkPipelineShaderStageCreateInfo; -- vulkan_core.h:2682
layout : VkPipelineLayout; -- vulkan_core.h:2683
basePipelineHandle : VkPipeline; -- vulkan_core.h:2684
basePipelineIndex : aliased stdint_h.int32_t; -- vulkan_core.h:2685
end record;
pragma Convention (C_Pass_By_Copy, VkComputePipelineCreateInfo); -- vulkan_core.h:2678
type VkVertexInputBindingDescription is record
binding : aliased stdint_h.uint32_t; -- vulkan_core.h:2689
stride : aliased stdint_h.uint32_t; -- vulkan_core.h:2690
inputRate : aliased VkVertexInputRate; -- vulkan_core.h:2691
end record;
pragma Convention (C_Pass_By_Copy, VkVertexInputBindingDescription); -- vulkan_core.h:2688
type VkVertexInputAttributeDescription is record
location : aliased stdint_h.uint32_t; -- vulkan_core.h:2695
binding : aliased stdint_h.uint32_t; -- vulkan_core.h:2696
format : aliased VkFormat; -- vulkan_core.h:2697
offset : aliased stdint_h.uint32_t; -- vulkan_core.h:2698
end record;
pragma Convention (C_Pass_By_Copy, VkVertexInputAttributeDescription); -- vulkan_core.h:2694
type VkPipelineVertexInputStateCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2702
pNext : System.Address; -- vulkan_core.h:2703
flags : aliased VkPipelineVertexInputStateCreateFlags; -- vulkan_core.h:2704
vertexBindingDescriptionCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2705
pVertexBindingDescriptions : System.Address; -- vulkan_core.h:2706
vertexAttributeDescriptionCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2707
pVertexAttributeDescriptions : System.Address; -- vulkan_core.h:2708
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineVertexInputStateCreateInfo); -- vulkan_core.h:2701
type VkPipelineInputAssemblyStateCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2712
pNext : System.Address; -- vulkan_core.h:2713
flags : aliased VkPipelineInputAssemblyStateCreateFlags; -- vulkan_core.h:2714
topology : aliased VkPrimitiveTopology; -- vulkan_core.h:2715
primitiveRestartEnable : aliased VkBool32; -- vulkan_core.h:2716
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineInputAssemblyStateCreateInfo); -- vulkan_core.h:2711
type VkPipelineTessellationStateCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2720
pNext : System.Address; -- vulkan_core.h:2721
flags : aliased VkPipelineTessellationStateCreateFlags; -- vulkan_core.h:2722
patchControlPoints : aliased stdint_h.uint32_t; -- vulkan_core.h:2723
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineTessellationStateCreateInfo); -- vulkan_core.h:2719
type VkViewport is record
x : aliased float; -- vulkan_core.h:2727
y : aliased float; -- vulkan_core.h:2728
width : aliased float; -- vulkan_core.h:2729
height : aliased float; -- vulkan_core.h:2730
minDepth : aliased float; -- vulkan_core.h:2731
maxDepth : aliased float; -- vulkan_core.h:2732
end record;
pragma Convention (C_Pass_By_Copy, VkViewport); -- vulkan_core.h:2726
type VkPipelineViewportStateCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2736
pNext : System.Address; -- vulkan_core.h:2737
flags : aliased VkPipelineViewportStateCreateFlags; -- vulkan_core.h:2738
viewportCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2739
pViewports : System.Address; -- vulkan_core.h:2740
scissorCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2741
pScissors : System.Address; -- vulkan_core.h:2742
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineViewportStateCreateInfo); -- vulkan_core.h:2735
type VkPipelineRasterizationStateCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2746
pNext : System.Address; -- vulkan_core.h:2747
flags : aliased VkPipelineRasterizationStateCreateFlags; -- vulkan_core.h:2748
depthClampEnable : aliased VkBool32; -- vulkan_core.h:2749
rasterizerDiscardEnable : aliased VkBool32; -- vulkan_core.h:2750
polygonMode : aliased VkPolygonMode; -- vulkan_core.h:2751
cullMode : aliased VkCullModeFlags; -- vulkan_core.h:2752
frontFace : aliased VkFrontFace; -- vulkan_core.h:2753
depthBiasEnable : aliased VkBool32; -- vulkan_core.h:2754
depthBiasConstantFactor : aliased float; -- vulkan_core.h:2755
depthBiasClamp : aliased float; -- vulkan_core.h:2756
depthBiasSlopeFactor : aliased float; -- vulkan_core.h:2757
lineWidth : aliased float; -- vulkan_core.h:2758
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineRasterizationStateCreateInfo); -- vulkan_core.h:2745
type VkPipelineMultisampleStateCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2762
pNext : System.Address; -- vulkan_core.h:2763
flags : aliased VkPipelineMultisampleStateCreateFlags; -- vulkan_core.h:2764
rasterizationSamples : aliased VkSampleCountFlagBits; -- vulkan_core.h:2765
sampleShadingEnable : aliased VkBool32; -- vulkan_core.h:2766
minSampleShading : aliased float; -- vulkan_core.h:2767
pSampleMask : access VkSampleMask; -- vulkan_core.h:2768
alphaToCoverageEnable : aliased VkBool32; -- vulkan_core.h:2769
alphaToOneEnable : aliased VkBool32; -- vulkan_core.h:2770
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineMultisampleStateCreateInfo); -- vulkan_core.h:2761
type VkStencilOpState is record
failOp : aliased VkStencilOp; -- vulkan_core.h:2774
passOp : aliased VkStencilOp; -- vulkan_core.h:2775
depthFailOp : aliased VkStencilOp; -- vulkan_core.h:2776
compareOp : aliased VkCompareOp; -- vulkan_core.h:2777
compareMask : aliased stdint_h.uint32_t; -- vulkan_core.h:2778
writeMask : aliased stdint_h.uint32_t; -- vulkan_core.h:2779
reference : aliased stdint_h.uint32_t; -- vulkan_core.h:2780
end record;
pragma Convention (C_Pass_By_Copy, VkStencilOpState); -- vulkan_core.h:2773
type VkPipelineDepthStencilStateCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2784
pNext : System.Address; -- vulkan_core.h:2785
flags : aliased VkPipelineDepthStencilStateCreateFlags; -- vulkan_core.h:2786
depthTestEnable : aliased VkBool32; -- vulkan_core.h:2787
depthWriteEnable : aliased VkBool32; -- vulkan_core.h:2788
depthCompareOp : aliased VkCompareOp; -- vulkan_core.h:2789
depthBoundsTestEnable : aliased VkBool32; -- vulkan_core.h:2790
stencilTestEnable : aliased VkBool32; -- vulkan_core.h:2791
front : aliased VkStencilOpState; -- vulkan_core.h:2792
back : aliased VkStencilOpState; -- vulkan_core.h:2793
minDepthBounds : aliased float; -- vulkan_core.h:2794
maxDepthBounds : aliased float; -- vulkan_core.h:2795
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineDepthStencilStateCreateInfo); -- vulkan_core.h:2783
type VkPipelineColorBlendAttachmentState is record
blendEnable : aliased VkBool32; -- vulkan_core.h:2799
srcColorBlendFactor : aliased VkBlendFactor; -- vulkan_core.h:2800
dstColorBlendFactor : aliased VkBlendFactor; -- vulkan_core.h:2801
colorBlendOp : aliased VkBlendOp; -- vulkan_core.h:2802
srcAlphaBlendFactor : aliased VkBlendFactor; -- vulkan_core.h:2803
dstAlphaBlendFactor : aliased VkBlendFactor; -- vulkan_core.h:2804
alphaBlendOp : aliased VkBlendOp; -- vulkan_core.h:2805
colorWriteMask : aliased VkColorComponentFlags; -- vulkan_core.h:2806
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineColorBlendAttachmentState); -- vulkan_core.h:2798
type VkPipelineColorBlendStateCreateInfo_blendConstants_array is array (0 .. 3) of aliased float;
type VkPipelineColorBlendStateCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2810
pNext : System.Address; -- vulkan_core.h:2811
flags : aliased VkPipelineColorBlendStateCreateFlags; -- vulkan_core.h:2812
logicOpEnable : aliased VkBool32; -- vulkan_core.h:2813
logicOp : aliased VkLogicOp; -- vulkan_core.h:2814
attachmentCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2815
pAttachments : System.Address; -- vulkan_core.h:2816
blendConstants : aliased VkPipelineColorBlendStateCreateInfo_blendConstants_array; -- vulkan_core.h:2817
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineColorBlendStateCreateInfo); -- vulkan_core.h:2809
type VkPipelineDynamicStateCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2821
pNext : System.Address; -- vulkan_core.h:2822
flags : aliased VkPipelineDynamicStateCreateFlags; -- vulkan_core.h:2823
dynamicStateCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2824
pDynamicStates : System.Address; -- vulkan_core.h:2825
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineDynamicStateCreateInfo); -- vulkan_core.h:2820
type VkGraphicsPipelineCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2829
pNext : System.Address; -- vulkan_core.h:2830
flags : aliased VkPipelineCreateFlags; -- vulkan_core.h:2831
stageCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2832
pStages : System.Address; -- vulkan_core.h:2833
pVertexInputState : System.Address; -- vulkan_core.h:2834
pInputAssemblyState : System.Address; -- vulkan_core.h:2835
pTessellationState : System.Address; -- vulkan_core.h:2836
pViewportState : System.Address; -- vulkan_core.h:2837
pRasterizationState : System.Address; -- vulkan_core.h:2838
pMultisampleState : System.Address; -- vulkan_core.h:2839
pDepthStencilState : System.Address; -- vulkan_core.h:2840
pColorBlendState : System.Address; -- vulkan_core.h:2841
pDynamicState : System.Address; -- vulkan_core.h:2842
layout : VkPipelineLayout; -- vulkan_core.h:2843
renderPass : VkRenderPass; -- vulkan_core.h:2844
subpass : aliased stdint_h.uint32_t; -- vulkan_core.h:2845
basePipelineHandle : VkPipeline; -- vulkan_core.h:2846
basePipelineIndex : aliased stdint_h.int32_t; -- vulkan_core.h:2847
end record;
pragma Convention (C_Pass_By_Copy, VkGraphicsPipelineCreateInfo); -- vulkan_core.h:2828
type VkPushConstantRange is record
stageFlags : aliased VkShaderStageFlags; -- vulkan_core.h:2851
offset : aliased stdint_h.uint32_t; -- vulkan_core.h:2852
size : aliased stdint_h.uint32_t; -- vulkan_core.h:2853
end record;
pragma Convention (C_Pass_By_Copy, VkPushConstantRange); -- vulkan_core.h:2850
type VkPipelineLayoutCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2857
pNext : System.Address; -- vulkan_core.h:2858
flags : aliased VkPipelineLayoutCreateFlags; -- vulkan_core.h:2859
setLayoutCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2860
pSetLayouts : System.Address; -- vulkan_core.h:2861
pushConstantRangeCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2862
pPushConstantRanges : System.Address; -- vulkan_core.h:2863
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineLayoutCreateInfo); -- vulkan_core.h:2856
type VkSamplerCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2867
pNext : System.Address; -- vulkan_core.h:2868
flags : aliased VkSamplerCreateFlags; -- vulkan_core.h:2869
magFilter : aliased VkFilter; -- vulkan_core.h:2870
minFilter : aliased VkFilter; -- vulkan_core.h:2871
mipmapMode : aliased VkSamplerMipmapMode; -- vulkan_core.h:2872
addressModeU : aliased VkSamplerAddressMode; -- vulkan_core.h:2873
addressModeV : aliased VkSamplerAddressMode; -- vulkan_core.h:2874
addressModeW : aliased VkSamplerAddressMode; -- vulkan_core.h:2875
mipLodBias : aliased float; -- vulkan_core.h:2876
anisotropyEnable : aliased VkBool32; -- vulkan_core.h:2877
maxAnisotropy : aliased float; -- vulkan_core.h:2878
compareEnable : aliased VkBool32; -- vulkan_core.h:2879
compareOp : aliased VkCompareOp; -- vulkan_core.h:2880
minLod : aliased float; -- vulkan_core.h:2881
maxLod : aliased float; -- vulkan_core.h:2882
borderColor : aliased VkBorderColor; -- vulkan_core.h:2883
unnormalizedCoordinates : aliased VkBool32; -- vulkan_core.h:2884
end record;
pragma Convention (C_Pass_By_Copy, VkSamplerCreateInfo); -- vulkan_core.h:2866
type VkCopyDescriptorSet is record
sType : aliased VkStructureType; -- vulkan_core.h:2888
pNext : System.Address; -- vulkan_core.h:2889
srcSet : VkDescriptorSet; -- vulkan_core.h:2890
srcBinding : aliased stdint_h.uint32_t; -- vulkan_core.h:2891
srcArrayElement : aliased stdint_h.uint32_t; -- vulkan_core.h:2892
dstSet : VkDescriptorSet; -- vulkan_core.h:2893
dstBinding : aliased stdint_h.uint32_t; -- vulkan_core.h:2894
dstArrayElement : aliased stdint_h.uint32_t; -- vulkan_core.h:2895
descriptorCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2896
end record;
pragma Convention (C_Pass_By_Copy, VkCopyDescriptorSet); -- vulkan_core.h:2887
type VkDescriptorBufferInfo is record
buffer : VkBuffer; -- vulkan_core.h:2900
offset : aliased VkDeviceSize; -- vulkan_core.h:2901
c_range : aliased VkDeviceSize; -- vulkan_core.h:2902
end record;
pragma Convention (C_Pass_By_Copy, VkDescriptorBufferInfo); -- vulkan_core.h:2899
type VkDescriptorImageInfo is record
sampler : VkSampler; -- vulkan_core.h:2906
imageView : VkImageView; -- vulkan_core.h:2907
imageLayout : aliased VkImageLayout; -- vulkan_core.h:2908
end record;
pragma Convention (C_Pass_By_Copy, VkDescriptorImageInfo); -- vulkan_core.h:2905
type VkDescriptorPoolSize is record
c_type : aliased VkDescriptorType; -- vulkan_core.h:2912
descriptorCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2913
end record;
pragma Convention (C_Pass_By_Copy, VkDescriptorPoolSize); -- vulkan_core.h:2911
type VkDescriptorPoolCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2917
pNext : System.Address; -- vulkan_core.h:2918
flags : aliased VkDescriptorPoolCreateFlags; -- vulkan_core.h:2919
maxSets : aliased stdint_h.uint32_t; -- vulkan_core.h:2920
poolSizeCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2921
pPoolSizes : System.Address; -- vulkan_core.h:2922
end record;
pragma Convention (C_Pass_By_Copy, VkDescriptorPoolCreateInfo); -- vulkan_core.h:2916
type VkDescriptorSetAllocateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2926
pNext : System.Address; -- vulkan_core.h:2927
descriptorPool : VkDescriptorPool; -- vulkan_core.h:2928
descriptorSetCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2929
pSetLayouts : System.Address; -- vulkan_core.h:2930
end record;
pragma Convention (C_Pass_By_Copy, VkDescriptorSetAllocateInfo); -- vulkan_core.h:2925
type VkDescriptorSetLayoutBinding is record
binding : aliased stdint_h.uint32_t; -- vulkan_core.h:2934
descriptorType : aliased VkDescriptorType; -- vulkan_core.h:2935
descriptorCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2936
stageFlags : aliased VkShaderStageFlags; -- vulkan_core.h:2937
pImmutableSamplers : System.Address; -- vulkan_core.h:2938
end record;
pragma Convention (C_Pass_By_Copy, VkDescriptorSetLayoutBinding); -- vulkan_core.h:2933
type VkDescriptorSetLayoutCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2942
pNext : System.Address; -- vulkan_core.h:2943
flags : aliased VkDescriptorSetLayoutCreateFlags; -- vulkan_core.h:2944
bindingCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2945
pBindings : System.Address; -- vulkan_core.h:2946
end record;
pragma Convention (C_Pass_By_Copy, VkDescriptorSetLayoutCreateInfo); -- vulkan_core.h:2941
type VkWriteDescriptorSet is record
sType : aliased VkStructureType; -- vulkan_core.h:2950
pNext : System.Address; -- vulkan_core.h:2951
dstSet : VkDescriptorSet; -- vulkan_core.h:2952
dstBinding : aliased stdint_h.uint32_t; -- vulkan_core.h:2953
dstArrayElement : aliased stdint_h.uint32_t; -- vulkan_core.h:2954
descriptorCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2955
descriptorType : aliased VkDescriptorType; -- vulkan_core.h:2956
pImageInfo : System.Address; -- vulkan_core.h:2957
pBufferInfo : System.Address; -- vulkan_core.h:2958
pTexelBufferView : System.Address; -- vulkan_core.h:2959
end record;
pragma Convention (C_Pass_By_Copy, VkWriteDescriptorSet); -- vulkan_core.h:2949
type VkAttachmentDescription is record
flags : aliased VkAttachmentDescriptionFlags; -- vulkan_core.h:2963
format : aliased VkFormat; -- vulkan_core.h:2964
samples : aliased VkSampleCountFlagBits; -- vulkan_core.h:2965
loadOp : aliased VkAttachmentLoadOp; -- vulkan_core.h:2966
storeOp : aliased VkAttachmentStoreOp; -- vulkan_core.h:2967
stencilLoadOp : aliased VkAttachmentLoadOp; -- vulkan_core.h:2968
stencilStoreOp : aliased VkAttachmentStoreOp; -- vulkan_core.h:2969
initialLayout : aliased VkImageLayout; -- vulkan_core.h:2970
finalLayout : aliased VkImageLayout; -- vulkan_core.h:2971
end record;
pragma Convention (C_Pass_By_Copy, VkAttachmentDescription); -- vulkan_core.h:2962
type VkAttachmentReference is record
attachment : aliased stdint_h.uint32_t; -- vulkan_core.h:2975
layout : aliased VkImageLayout; -- vulkan_core.h:2976
end record;
pragma Convention (C_Pass_By_Copy, VkAttachmentReference); -- vulkan_core.h:2974
type VkFramebufferCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:2980
pNext : System.Address; -- vulkan_core.h:2981
flags : aliased VkFramebufferCreateFlags; -- vulkan_core.h:2982
renderPass : VkRenderPass; -- vulkan_core.h:2983
attachmentCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2984
pAttachments : System.Address; -- vulkan_core.h:2985
width : aliased stdint_h.uint32_t; -- vulkan_core.h:2986
height : aliased stdint_h.uint32_t; -- vulkan_core.h:2987
layers : aliased stdint_h.uint32_t; -- vulkan_core.h:2988
end record;
pragma Convention (C_Pass_By_Copy, VkFramebufferCreateInfo); -- vulkan_core.h:2979
type VkSubpassDescription is record
flags : aliased VkSubpassDescriptionFlags; -- vulkan_core.h:2992
pipelineBindPoint : aliased VkPipelineBindPoint; -- vulkan_core.h:2993
inputAttachmentCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2994
pInputAttachments : System.Address; -- vulkan_core.h:2995
colorAttachmentCount : aliased stdint_h.uint32_t; -- vulkan_core.h:2996
pColorAttachments : System.Address; -- vulkan_core.h:2997
pResolveAttachments : System.Address; -- vulkan_core.h:2998
pDepthStencilAttachment : System.Address; -- vulkan_core.h:2999
preserveAttachmentCount : aliased stdint_h.uint32_t; -- vulkan_core.h:3000
pPreserveAttachments : access stdint_h.uint32_t; -- vulkan_core.h:3001
end record;
pragma Convention (C_Pass_By_Copy, VkSubpassDescription); -- vulkan_core.h:2991
type VkSubpassDependency is record
srcSubpass : aliased stdint_h.uint32_t; -- vulkan_core.h:3005
dstSubpass : aliased stdint_h.uint32_t; -- vulkan_core.h:3006
srcStageMask : aliased VkPipelineStageFlags; -- vulkan_core.h:3007
dstStageMask : aliased VkPipelineStageFlags; -- vulkan_core.h:3008
srcAccessMask : aliased VkAccessFlags; -- vulkan_core.h:3009
dstAccessMask : aliased VkAccessFlags; -- vulkan_core.h:3010
dependencyFlags : aliased VkDependencyFlags; -- vulkan_core.h:3011
end record;
pragma Convention (C_Pass_By_Copy, VkSubpassDependency); -- vulkan_core.h:3004
type VkRenderPassCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:3015
pNext : System.Address; -- vulkan_core.h:3016
flags : aliased VkRenderPassCreateFlags; -- vulkan_core.h:3017
attachmentCount : aliased stdint_h.uint32_t; -- vulkan_core.h:3018
pAttachments : System.Address; -- vulkan_core.h:3019
subpassCount : aliased stdint_h.uint32_t; -- vulkan_core.h:3020
pSubpasses : System.Address; -- vulkan_core.h:3021
dependencyCount : aliased stdint_h.uint32_t; -- vulkan_core.h:3022
pDependencies : System.Address; -- vulkan_core.h:3023
end record;
pragma Convention (C_Pass_By_Copy, VkRenderPassCreateInfo); -- vulkan_core.h:3014
type VkCommandPoolCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:3027
pNext : System.Address; -- vulkan_core.h:3028
flags : aliased VkCommandPoolCreateFlags; -- vulkan_core.h:3029
queueFamilyIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:3030
end record;
pragma Convention (C_Pass_By_Copy, VkCommandPoolCreateInfo); -- vulkan_core.h:3026
type VkCommandBufferAllocateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:3034
pNext : System.Address; -- vulkan_core.h:3035
commandPool : VkCommandPool; -- vulkan_core.h:3036
level : aliased VkCommandBufferLevel; -- vulkan_core.h:3037
commandBufferCount : aliased stdint_h.uint32_t; -- vulkan_core.h:3038
end record;
pragma Convention (C_Pass_By_Copy, VkCommandBufferAllocateInfo); -- vulkan_core.h:3033
type VkCommandBufferInheritanceInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:3042
pNext : System.Address; -- vulkan_core.h:3043
renderPass : VkRenderPass; -- vulkan_core.h:3044
subpass : aliased stdint_h.uint32_t; -- vulkan_core.h:3045
framebuffer : VkFramebuffer; -- vulkan_core.h:3046
occlusionQueryEnable : aliased VkBool32; -- vulkan_core.h:3047
queryFlags : aliased VkQueryControlFlags; -- vulkan_core.h:3048
pipelineStatistics : aliased VkQueryPipelineStatisticFlags; -- vulkan_core.h:3049
end record;
pragma Convention (C_Pass_By_Copy, VkCommandBufferInheritanceInfo); -- vulkan_core.h:3041
type VkCommandBufferBeginInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:3053
pNext : System.Address; -- vulkan_core.h:3054
flags : aliased VkCommandBufferUsageFlags; -- vulkan_core.h:3055
pInheritanceInfo : System.Address; -- vulkan_core.h:3056
end record;
pragma Convention (C_Pass_By_Copy, VkCommandBufferBeginInfo); -- vulkan_core.h:3052
type VkBufferCopy is record
srcOffset : aliased VkDeviceSize; -- vulkan_core.h:3060
dstOffset : aliased VkDeviceSize; -- vulkan_core.h:3061
size : aliased VkDeviceSize; -- vulkan_core.h:3062
end record;
pragma Convention (C_Pass_By_Copy, VkBufferCopy); -- vulkan_core.h:3059
type VkImageSubresourceLayers is record
aspectMask : aliased VkImageAspectFlags; -- vulkan_core.h:3066
mipLevel : aliased stdint_h.uint32_t; -- vulkan_core.h:3067
baseArrayLayer : aliased stdint_h.uint32_t; -- vulkan_core.h:3068
layerCount : aliased stdint_h.uint32_t; -- vulkan_core.h:3069
end record;
pragma Convention (C_Pass_By_Copy, VkImageSubresourceLayers); -- vulkan_core.h:3065
type VkBufferImageCopy is record
bufferOffset : aliased VkDeviceSize; -- vulkan_core.h:3073
bufferRowLength : aliased stdint_h.uint32_t; -- vulkan_core.h:3074
bufferImageHeight : aliased stdint_h.uint32_t; -- vulkan_core.h:3075
imageSubresource : aliased VkImageSubresourceLayers; -- vulkan_core.h:3076
imageOffset : aliased VkOffset3D; -- vulkan_core.h:3077
imageExtent : aliased VkExtent3D; -- vulkan_core.h:3078
end record;
pragma Convention (C_Pass_By_Copy, VkBufferImageCopy); -- vulkan_core.h:3072
type VkClearColorValue_float32_array is array (0 .. 3) of aliased float;
type VkClearColorValue_int32_array is array (0 .. 3) of aliased stdint_h.int32_t;
type VkClearColorValue_uint32_array is array (0 .. 3) of aliased stdint_h.uint32_t;
type VkClearColorValue (discr : unsigned := 0) is record
case discr is
when 0 =>
float32 : aliased VkClearColorValue_float32_array; -- vulkan_core.h:3082
when 1 =>
int32 : aliased VkClearColorValue_int32_array; -- vulkan_core.h:3083
when others =>
uint32 : aliased VkClearColorValue_uint32_array; -- vulkan_core.h:3084
end case;
end record;
pragma Convention (C_Pass_By_Copy, VkClearColorValue);
pragma Unchecked_Union (VkClearColorValue); -- vulkan_core.h:3081
type VkClearDepthStencilValue is record
depth : aliased float; -- vulkan_core.h:3088
stencil : aliased stdint_h.uint32_t; -- vulkan_core.h:3089
end record;
pragma Convention (C_Pass_By_Copy, VkClearDepthStencilValue); -- vulkan_core.h:3087
type VkClearValue (discr : unsigned := 0) is record
case discr is
when 0 =>
color : VkClearColorValue; -- vulkan_core.h:3093
when others =>
depthStencil : aliased VkClearDepthStencilValue; -- vulkan_core.h:3094
end case;
end record;
pragma Convention (C_Pass_By_Copy, VkClearValue);
pragma Unchecked_Union (VkClearValue); -- vulkan_core.h:3092
type VkClearAttachment is record
aspectMask : aliased VkImageAspectFlags; -- vulkan_core.h:3098
colorAttachment : aliased stdint_h.uint32_t; -- vulkan_core.h:3099
clearValue : VkClearValue; -- vulkan_core.h:3100
end record;
pragma Convention (C_Pass_By_Copy, VkClearAttachment); -- vulkan_core.h:3097
type VkClearRect is record
rect : aliased VkRect2D; -- vulkan_core.h:3104
baseArrayLayer : aliased stdint_h.uint32_t; -- vulkan_core.h:3105
layerCount : aliased stdint_h.uint32_t; -- vulkan_core.h:3106
end record;
pragma Convention (C_Pass_By_Copy, VkClearRect); -- vulkan_core.h:3103
type VkImageBlit_srcOffsets_array is array (0 .. 1) of aliased VkOffset3D;
type VkImageBlit_dstOffsets_array is array (0 .. 1) of aliased VkOffset3D;
type VkImageBlit is record
srcSubresource : aliased VkImageSubresourceLayers; -- vulkan_core.h:3110
srcOffsets : aliased VkImageBlit_srcOffsets_array; -- vulkan_core.h:3111
dstSubresource : aliased VkImageSubresourceLayers; -- vulkan_core.h:3112
dstOffsets : aliased VkImageBlit_dstOffsets_array; -- vulkan_core.h:3113
end record;
pragma Convention (C_Pass_By_Copy, VkImageBlit); -- vulkan_core.h:3109
type VkImageCopy is record
srcSubresource : aliased VkImageSubresourceLayers; -- vulkan_core.h:3117
srcOffset : aliased VkOffset3D; -- vulkan_core.h:3118
dstSubresource : aliased VkImageSubresourceLayers; -- vulkan_core.h:3119
dstOffset : aliased VkOffset3D; -- vulkan_core.h:3120
extent : aliased VkExtent3D; -- vulkan_core.h:3121
end record;
pragma Convention (C_Pass_By_Copy, VkImageCopy); -- vulkan_core.h:3116
type VkImageResolve is record
srcSubresource : aliased VkImageSubresourceLayers; -- vulkan_core.h:3125
srcOffset : aliased VkOffset3D; -- vulkan_core.h:3126
dstSubresource : aliased VkImageSubresourceLayers; -- vulkan_core.h:3127
dstOffset : aliased VkOffset3D; -- vulkan_core.h:3128
extent : aliased VkExtent3D; -- vulkan_core.h:3129
end record;
pragma Convention (C_Pass_By_Copy, VkImageResolve); -- vulkan_core.h:3124
type VkRenderPassBeginInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:3133
pNext : System.Address; -- vulkan_core.h:3134
renderPass : VkRenderPass; -- vulkan_core.h:3135
framebuffer : VkFramebuffer; -- vulkan_core.h:3136
renderArea : aliased VkRect2D; -- vulkan_core.h:3137
clearValueCount : aliased stdint_h.uint32_t; -- vulkan_core.h:3138
pClearValues : System.Address; -- vulkan_core.h:3139
end record;
pragma Convention (C_Pass_By_Copy, VkRenderPassBeginInfo); -- vulkan_core.h:3132
type PFN_vkCreateInstance is access function
(arg1 : System.Address;
arg2 : System.Address;
arg3 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateInstance); -- vulkan_core.h:3142
type PFN_vkDestroyInstance is access procedure (arg1 : VkInstance; arg2 : System.Address);
pragma Convention (C, PFN_vkDestroyInstance); -- vulkan_core.h:3143
type PFN_vkEnumeratePhysicalDevices is access function
(arg1 : VkInstance;
arg2 : access stdint_h.uint32_t;
arg3 : System.Address) return VkResult;
pragma Convention (C, PFN_vkEnumeratePhysicalDevices); -- vulkan_core.h:3144
type PFN_vkGetPhysicalDeviceFeatures is access procedure (arg1 : VkPhysicalDevice; arg2 : access VkPhysicalDeviceFeatures);
pragma Convention (C, PFN_vkGetPhysicalDeviceFeatures); -- vulkan_core.h:3145
type PFN_vkGetPhysicalDeviceFormatProperties is access procedure
(arg1 : VkPhysicalDevice;
arg2 : VkFormat;
arg3 : access VkFormatProperties);
pragma Convention (C, PFN_vkGetPhysicalDeviceFormatProperties); -- vulkan_core.h:3146
type PFN_vkGetPhysicalDeviceImageFormatProperties is access function
(arg1 : VkPhysicalDevice;
arg2 : VkFormat;
arg3 : VkImageType;
arg4 : VkImageTiling;
arg5 : VkImageUsageFlags;
arg6 : VkImageCreateFlags;
arg7 : access VkImageFormatProperties) return VkResult;
pragma Convention (C, PFN_vkGetPhysicalDeviceImageFormatProperties); -- vulkan_core.h:3147
type PFN_vkGetPhysicalDeviceProperties is access procedure (arg1 : VkPhysicalDevice; arg2 : access VkPhysicalDeviceProperties);
pragma Convention (C, PFN_vkGetPhysicalDeviceProperties); -- vulkan_core.h:3148
type PFN_vkGetPhysicalDeviceQueueFamilyProperties is access procedure
(arg1 : VkPhysicalDevice;
arg2 : access stdint_h.uint32_t;
arg3 : access VkQueueFamilyProperties);
pragma Convention (C, PFN_vkGetPhysicalDeviceQueueFamilyProperties); -- vulkan_core.h:3149
type PFN_vkGetPhysicalDeviceMemoryProperties is access procedure (arg1 : VkPhysicalDevice; arg2 : access VkPhysicalDeviceMemoryProperties);
pragma Convention (C, PFN_vkGetPhysicalDeviceMemoryProperties); -- vulkan_core.h:3150
type PFN_vkGetInstanceProcAddr is access function (arg1 : VkInstance; arg2 : Interfaces.C.Strings.chars_ptr) return PFN_vkVoidFunction;
pragma Convention (C, PFN_vkGetInstanceProcAddr); -- vulkan_core.h:3151
type PFN_vkGetDeviceProcAddr is access function (arg1 : VkDevice; arg2 : Interfaces.C.Strings.chars_ptr) return PFN_vkVoidFunction;
pragma Convention (C, PFN_vkGetDeviceProcAddr); -- vulkan_core.h:3152
type PFN_vkCreateDevice is access function
(arg1 : VkPhysicalDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateDevice); -- vulkan_core.h:3153
type PFN_vkDestroyDevice is access procedure (arg1 : VkDevice; arg2 : System.Address);
pragma Convention (C, PFN_vkDestroyDevice); -- vulkan_core.h:3154
type PFN_vkEnumerateInstanceExtensionProperties is access function
(arg1 : Interfaces.C.Strings.chars_ptr;
arg2 : access stdint_h.uint32_t;
arg3 : access VkExtensionProperties) return VkResult;
pragma Convention (C, PFN_vkEnumerateInstanceExtensionProperties); -- vulkan_core.h:3155
type PFN_vkEnumerateDeviceExtensionProperties is access function
(arg1 : VkPhysicalDevice;
arg2 : Interfaces.C.Strings.chars_ptr;
arg3 : access stdint_h.uint32_t;
arg4 : access VkExtensionProperties) return VkResult;
pragma Convention (C, PFN_vkEnumerateDeviceExtensionProperties); -- vulkan_core.h:3156
type PFN_vkEnumerateInstanceLayerProperties is access function (arg1 : access stdint_h.uint32_t; arg2 : access VkLayerProperties) return VkResult;
pragma Convention (C, PFN_vkEnumerateInstanceLayerProperties); -- vulkan_core.h:3157
type PFN_vkEnumerateDeviceLayerProperties is access function
(arg1 : VkPhysicalDevice;
arg2 : access stdint_h.uint32_t;
arg3 : access VkLayerProperties) return VkResult;
pragma Convention (C, PFN_vkEnumerateDeviceLayerProperties); -- vulkan_core.h:3158
type PFN_vkGetDeviceQueue is access procedure
(arg1 : VkDevice;
arg2 : stdint_h.uint32_t;
arg3 : stdint_h.uint32_t;
arg4 : System.Address);
pragma Convention (C, PFN_vkGetDeviceQueue); -- vulkan_core.h:3159
type PFN_vkQueueSubmit is access function
(arg1 : VkQueue;
arg2 : stdint_h.uint32_t;
arg3 : System.Address;
arg4 : VkFence) return VkResult;
pragma Convention (C, PFN_vkQueueSubmit); -- vulkan_core.h:3160
type PFN_vkQueueWaitIdle is access function (arg1 : VkQueue) return VkResult;
pragma Convention (C, PFN_vkQueueWaitIdle); -- vulkan_core.h:3161
type PFN_vkDeviceWaitIdle is access function (arg1 : VkDevice) return VkResult;
pragma Convention (C, PFN_vkDeviceWaitIdle); -- vulkan_core.h:3162
type PFN_vkAllocateMemory is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkAllocateMemory); -- vulkan_core.h:3163
type PFN_vkFreeMemory is access procedure
(arg1 : VkDevice;
arg2 : VkDeviceMemory;
arg3 : System.Address);
pragma Convention (C, PFN_vkFreeMemory); -- vulkan_core.h:3164
type PFN_vkMapMemory is access function
(arg1 : VkDevice;
arg2 : VkDeviceMemory;
arg3 : VkDeviceSize;
arg4 : VkDeviceSize;
arg5 : VkMemoryMapFlags;
arg6 : System.Address) return VkResult;
pragma Convention (C, PFN_vkMapMemory); -- vulkan_core.h:3165
type PFN_vkUnmapMemory is access procedure (arg1 : VkDevice; arg2 : VkDeviceMemory);
pragma Convention (C, PFN_vkUnmapMemory); -- vulkan_core.h:3166
type PFN_vkFlushMappedMemoryRanges is access function
(arg1 : VkDevice;
arg2 : stdint_h.uint32_t;
arg3 : System.Address) return VkResult;
pragma Convention (C, PFN_vkFlushMappedMemoryRanges); -- vulkan_core.h:3167
type PFN_vkInvalidateMappedMemoryRanges is access function
(arg1 : VkDevice;
arg2 : stdint_h.uint32_t;
arg3 : System.Address) return VkResult;
pragma Convention (C, PFN_vkInvalidateMappedMemoryRanges); -- vulkan_core.h:3168
type PFN_vkGetDeviceMemoryCommitment is access procedure
(arg1 : VkDevice;
arg2 : VkDeviceMemory;
arg3 : access VkDeviceSize);
pragma Convention (C, PFN_vkGetDeviceMemoryCommitment); -- vulkan_core.h:3169
type PFN_vkBindBufferMemory is access function
(arg1 : VkDevice;
arg2 : VkBuffer;
arg3 : VkDeviceMemory;
arg4 : VkDeviceSize) return VkResult;
pragma Convention (C, PFN_vkBindBufferMemory); -- vulkan_core.h:3170
type PFN_vkBindImageMemory is access function
(arg1 : VkDevice;
arg2 : VkImage;
arg3 : VkDeviceMemory;
arg4 : VkDeviceSize) return VkResult;
pragma Convention (C, PFN_vkBindImageMemory); -- vulkan_core.h:3171
type PFN_vkGetBufferMemoryRequirements is access procedure
(arg1 : VkDevice;
arg2 : VkBuffer;
arg3 : access VkMemoryRequirements);
pragma Convention (C, PFN_vkGetBufferMemoryRequirements); -- vulkan_core.h:3172
type PFN_vkGetImageMemoryRequirements is access procedure
(arg1 : VkDevice;
arg2 : VkImage;
arg3 : access VkMemoryRequirements);
pragma Convention (C, PFN_vkGetImageMemoryRequirements); -- vulkan_core.h:3173
type PFN_vkGetImageSparseMemoryRequirements is access procedure
(arg1 : VkDevice;
arg2 : VkImage;
arg3 : access stdint_h.uint32_t;
arg4 : access VkSparseImageMemoryRequirements);
pragma Convention (C, PFN_vkGetImageSparseMemoryRequirements); -- vulkan_core.h:3174
type PFN_vkGetPhysicalDeviceSparseImageFormatProperties is access procedure
(arg1 : VkPhysicalDevice;
arg2 : VkFormat;
arg3 : VkImageType;
arg4 : VkSampleCountFlagBits;
arg5 : VkImageUsageFlags;
arg6 : VkImageTiling;
arg7 : access stdint_h.uint32_t;
arg8 : access VkSparseImageFormatProperties);
pragma Convention (C, PFN_vkGetPhysicalDeviceSparseImageFormatProperties); -- vulkan_core.h:3175
type PFN_vkQueueBindSparse is access function
(arg1 : VkQueue;
arg2 : stdint_h.uint32_t;
arg3 : System.Address;
arg4 : VkFence) return VkResult;
pragma Convention (C, PFN_vkQueueBindSparse); -- vulkan_core.h:3176
type PFN_vkCreateFence is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateFence); -- vulkan_core.h:3177
type PFN_vkDestroyFence is access procedure
(arg1 : VkDevice;
arg2 : VkFence;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroyFence); -- vulkan_core.h:3178
type PFN_vkResetFences is access function
(arg1 : VkDevice;
arg2 : stdint_h.uint32_t;
arg3 : System.Address) return VkResult;
pragma Convention (C, PFN_vkResetFences); -- vulkan_core.h:3179
type PFN_vkGetFenceStatus is access function (arg1 : VkDevice; arg2 : VkFence) return VkResult;
pragma Convention (C, PFN_vkGetFenceStatus); -- vulkan_core.h:3180
type PFN_vkWaitForFences is access function
(arg1 : VkDevice;
arg2 : stdint_h.uint32_t;
arg3 : System.Address;
arg4 : VkBool32;
arg5 : stdint_h.uint64_t) return VkResult;
pragma Convention (C, PFN_vkWaitForFences); -- vulkan_core.h:3181
type PFN_vkCreateSemaphore is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateSemaphore); -- vulkan_core.h:3182
type PFN_vkDestroySemaphore is access procedure
(arg1 : VkDevice;
arg2 : VkSemaphore;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroySemaphore); -- vulkan_core.h:3183
type PFN_vkCreateEvent is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateEvent); -- vulkan_core.h:3184
type PFN_vkDestroyEvent is access procedure
(arg1 : VkDevice;
arg2 : VkEvent;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroyEvent); -- vulkan_core.h:3185
type PFN_vkGetEventStatus is access function (arg1 : VkDevice; arg2 : VkEvent) return VkResult;
pragma Convention (C, PFN_vkGetEventStatus); -- vulkan_core.h:3186
type PFN_vkSetEvent is access function (arg1 : VkDevice; arg2 : VkEvent) return VkResult;
pragma Convention (C, PFN_vkSetEvent); -- vulkan_core.h:3187
type PFN_vkResetEvent is access function (arg1 : VkDevice; arg2 : VkEvent) return VkResult;
pragma Convention (C, PFN_vkResetEvent); -- vulkan_core.h:3188
type PFN_vkCreateQueryPool is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateQueryPool); -- vulkan_core.h:3189
type PFN_vkDestroyQueryPool is access procedure
(arg1 : VkDevice;
arg2 : VkQueryPool;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroyQueryPool); -- vulkan_core.h:3190
type PFN_vkGetQueryPoolResults is access function
(arg1 : VkDevice;
arg2 : VkQueryPool;
arg3 : stdint_h.uint32_t;
arg4 : stdint_h.uint32_t;
arg5 : crtdefs_h.size_t;
arg6 : System.Address;
arg7 : VkDeviceSize;
arg8 : VkQueryResultFlags) return VkResult;
pragma Convention (C, PFN_vkGetQueryPoolResults); -- vulkan_core.h:3191
type PFN_vkCreateBuffer is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateBuffer); -- vulkan_core.h:3192
type PFN_vkDestroyBuffer is access procedure
(arg1 : VkDevice;
arg2 : VkBuffer;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroyBuffer); -- vulkan_core.h:3193
type PFN_vkCreateBufferView is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateBufferView); -- vulkan_core.h:3194
type PFN_vkDestroyBufferView is access procedure
(arg1 : VkDevice;
arg2 : VkBufferView;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroyBufferView); -- vulkan_core.h:3195
type PFN_vkCreateImage is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateImage); -- vulkan_core.h:3196
type PFN_vkDestroyImage is access procedure
(arg1 : VkDevice;
arg2 : VkImage;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroyImage); -- vulkan_core.h:3197
type PFN_vkGetImageSubresourceLayout is access procedure
(arg1 : VkDevice;
arg2 : VkImage;
arg3 : System.Address;
arg4 : access VkSubresourceLayout);
pragma Convention (C, PFN_vkGetImageSubresourceLayout); -- vulkan_core.h:3198
type PFN_vkCreateImageView is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateImageView); -- vulkan_core.h:3199
type PFN_vkDestroyImageView is access procedure
(arg1 : VkDevice;
arg2 : VkImageView;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroyImageView); -- vulkan_core.h:3200
type PFN_vkCreateShaderModule is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateShaderModule); -- vulkan_core.h:3201
type PFN_vkDestroyShaderModule is access procedure
(arg1 : VkDevice;
arg2 : VkShaderModule;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroyShaderModule); -- vulkan_core.h:3202
type PFN_vkCreatePipelineCache is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreatePipelineCache); -- vulkan_core.h:3203
type PFN_vkDestroyPipelineCache is access procedure
(arg1 : VkDevice;
arg2 : VkPipelineCache;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroyPipelineCache); -- vulkan_core.h:3204
type PFN_vkGetPipelineCacheData is access function
(arg1 : VkDevice;
arg2 : VkPipelineCache;
arg3 : access crtdefs_h.size_t;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkGetPipelineCacheData); -- vulkan_core.h:3205
type PFN_vkMergePipelineCaches is access function
(arg1 : VkDevice;
arg2 : VkPipelineCache;
arg3 : stdint_h.uint32_t;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkMergePipelineCaches); -- vulkan_core.h:3206
type PFN_vkCreateGraphicsPipelines is access function
(arg1 : VkDevice;
arg2 : VkPipelineCache;
arg3 : stdint_h.uint32_t;
arg4 : System.Address;
arg5 : System.Address;
arg6 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateGraphicsPipelines); -- vulkan_core.h:3207
type PFN_vkCreateComputePipelines is access function
(arg1 : VkDevice;
arg2 : VkPipelineCache;
arg3 : stdint_h.uint32_t;
arg4 : System.Address;
arg5 : System.Address;
arg6 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateComputePipelines); -- vulkan_core.h:3208
type PFN_vkDestroyPipeline is access procedure
(arg1 : VkDevice;
arg2 : VkPipeline;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroyPipeline); -- vulkan_core.h:3209
type PFN_vkCreatePipelineLayout is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreatePipelineLayout); -- vulkan_core.h:3210
type PFN_vkDestroyPipelineLayout is access procedure
(arg1 : VkDevice;
arg2 : VkPipelineLayout;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroyPipelineLayout); -- vulkan_core.h:3211
type PFN_vkCreateSampler is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateSampler); -- vulkan_core.h:3212
type PFN_vkDestroySampler is access procedure
(arg1 : VkDevice;
arg2 : VkSampler;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroySampler); -- vulkan_core.h:3213
type PFN_vkCreateDescriptorSetLayout is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateDescriptorSetLayout); -- vulkan_core.h:3214
type PFN_vkDestroyDescriptorSetLayout is access procedure
(arg1 : VkDevice;
arg2 : VkDescriptorSetLayout;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroyDescriptorSetLayout); -- vulkan_core.h:3215
type PFN_vkCreateDescriptorPool is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateDescriptorPool); -- vulkan_core.h:3216
type PFN_vkDestroyDescriptorPool is access procedure
(arg1 : VkDevice;
arg2 : VkDescriptorPool;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroyDescriptorPool); -- vulkan_core.h:3217
type PFN_vkResetDescriptorPool is access function
(arg1 : VkDevice;
arg2 : VkDescriptorPool;
arg3 : VkDescriptorPoolResetFlags) return VkResult;
pragma Convention (C, PFN_vkResetDescriptorPool); -- vulkan_core.h:3218
type PFN_vkAllocateDescriptorSets is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address) return VkResult;
pragma Convention (C, PFN_vkAllocateDescriptorSets); -- vulkan_core.h:3219
type PFN_vkFreeDescriptorSets is access function
(arg1 : VkDevice;
arg2 : VkDescriptorPool;
arg3 : stdint_h.uint32_t;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkFreeDescriptorSets); -- vulkan_core.h:3220
type PFN_vkUpdateDescriptorSets is access procedure
(arg1 : VkDevice;
arg2 : stdint_h.uint32_t;
arg3 : System.Address;
arg4 : stdint_h.uint32_t;
arg5 : System.Address);
pragma Convention (C, PFN_vkUpdateDescriptorSets); -- vulkan_core.h:3221
type PFN_vkCreateFramebuffer is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateFramebuffer); -- vulkan_core.h:3222
type PFN_vkDestroyFramebuffer is access procedure
(arg1 : VkDevice;
arg2 : VkFramebuffer;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroyFramebuffer); -- vulkan_core.h:3223
type PFN_vkCreateRenderPass is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateRenderPass); -- vulkan_core.h:3224
type PFN_vkDestroyRenderPass is access procedure
(arg1 : VkDevice;
arg2 : VkRenderPass;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroyRenderPass); -- vulkan_core.h:3225
type PFN_vkGetRenderAreaGranularity is access procedure
(arg1 : VkDevice;
arg2 : VkRenderPass;
arg3 : access VkExtent2D);
pragma Convention (C, PFN_vkGetRenderAreaGranularity); -- vulkan_core.h:3226
type PFN_vkCreateCommandPool is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateCommandPool); -- vulkan_core.h:3227
type PFN_vkDestroyCommandPool is access procedure
(arg1 : VkDevice;
arg2 : VkCommandPool;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroyCommandPool); -- vulkan_core.h:3228
type PFN_vkResetCommandPool is access function
(arg1 : VkDevice;
arg2 : VkCommandPool;
arg3 : VkCommandPoolResetFlags) return VkResult;
pragma Convention (C, PFN_vkResetCommandPool); -- vulkan_core.h:3229
type PFN_vkAllocateCommandBuffers is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address) return VkResult;
pragma Convention (C, PFN_vkAllocateCommandBuffers); -- vulkan_core.h:3230
type PFN_vkFreeCommandBuffers is access procedure
(arg1 : VkDevice;
arg2 : VkCommandPool;
arg3 : stdint_h.uint32_t;
arg4 : System.Address);
pragma Convention (C, PFN_vkFreeCommandBuffers); -- vulkan_core.h:3231
type PFN_vkBeginCommandBuffer is access function (arg1 : VkCommandBuffer; arg2 : System.Address) return VkResult;
pragma Convention (C, PFN_vkBeginCommandBuffer); -- vulkan_core.h:3232
type PFN_vkEndCommandBuffer is access function (arg1 : VkCommandBuffer) return VkResult;
pragma Convention (C, PFN_vkEndCommandBuffer); -- vulkan_core.h:3233
type PFN_vkResetCommandBuffer is access function (arg1 : VkCommandBuffer; arg2 : VkCommandBufferResetFlags) return VkResult;
pragma Convention (C, PFN_vkResetCommandBuffer); -- vulkan_core.h:3234
type PFN_vkCmdBindPipeline is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkPipelineBindPoint;
arg3 : VkPipeline);
pragma Convention (C, PFN_vkCmdBindPipeline); -- vulkan_core.h:3235
type PFN_vkCmdSetViewport is access procedure
(arg1 : VkCommandBuffer;
arg2 : stdint_h.uint32_t;
arg3 : stdint_h.uint32_t;
arg4 : System.Address);
pragma Convention (C, PFN_vkCmdSetViewport); -- vulkan_core.h:3236
type PFN_vkCmdSetScissor is access procedure
(arg1 : VkCommandBuffer;
arg2 : stdint_h.uint32_t;
arg3 : stdint_h.uint32_t;
arg4 : System.Address);
pragma Convention (C, PFN_vkCmdSetScissor); -- vulkan_core.h:3237
type PFN_vkCmdSetLineWidth is access procedure (arg1 : VkCommandBuffer; arg2 : float);
pragma Convention (C, PFN_vkCmdSetLineWidth); -- vulkan_core.h:3238
type PFN_vkCmdSetDepthBias is access procedure
(arg1 : VkCommandBuffer;
arg2 : float;
arg3 : float;
arg4 : float);
pragma Convention (C, PFN_vkCmdSetDepthBias); -- vulkan_core.h:3239
type PFN_vkCmdSetBlendConstants is access procedure (arg1 : VkCommandBuffer; arg2 : access float);
pragma Convention (C, PFN_vkCmdSetBlendConstants); -- vulkan_core.h:3240
type PFN_vkCmdSetDepthBounds is access procedure
(arg1 : VkCommandBuffer;
arg2 : float;
arg3 : float);
pragma Convention (C, PFN_vkCmdSetDepthBounds); -- vulkan_core.h:3241
type PFN_vkCmdSetStencilCompareMask is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkStencilFaceFlags;
arg3 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdSetStencilCompareMask); -- vulkan_core.h:3242
type PFN_vkCmdSetStencilWriteMask is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkStencilFaceFlags;
arg3 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdSetStencilWriteMask); -- vulkan_core.h:3243
type PFN_vkCmdSetStencilReference is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkStencilFaceFlags;
arg3 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdSetStencilReference); -- vulkan_core.h:3244
type PFN_vkCmdBindDescriptorSets is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkPipelineBindPoint;
arg3 : VkPipelineLayout;
arg4 : stdint_h.uint32_t;
arg5 : stdint_h.uint32_t;
arg6 : System.Address;
arg7 : stdint_h.uint32_t;
arg8 : access stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdBindDescriptorSets); -- vulkan_core.h:3245
type PFN_vkCmdBindIndexBuffer is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkBuffer;
arg3 : VkDeviceSize;
arg4 : VkIndexType);
pragma Convention (C, PFN_vkCmdBindIndexBuffer); -- vulkan_core.h:3246
type PFN_vkCmdBindVertexBuffers is access procedure
(arg1 : VkCommandBuffer;
arg2 : stdint_h.uint32_t;
arg3 : stdint_h.uint32_t;
arg4 : System.Address;
arg5 : access VkDeviceSize);
pragma Convention (C, PFN_vkCmdBindVertexBuffers); -- vulkan_core.h:3247
type PFN_vkCmdDraw is access procedure
(arg1 : VkCommandBuffer;
arg2 : stdint_h.uint32_t;
arg3 : stdint_h.uint32_t;
arg4 : stdint_h.uint32_t;
arg5 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdDraw); -- vulkan_core.h:3248
type PFN_vkCmdDrawIndexed is access procedure
(arg1 : VkCommandBuffer;
arg2 : stdint_h.uint32_t;
arg3 : stdint_h.uint32_t;
arg4 : stdint_h.uint32_t;
arg5 : stdint_h.int32_t;
arg6 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdDrawIndexed); -- vulkan_core.h:3249
type PFN_vkCmdDrawIndirect is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkBuffer;
arg3 : VkDeviceSize;
arg4 : stdint_h.uint32_t;
arg5 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdDrawIndirect); -- vulkan_core.h:3250
type PFN_vkCmdDrawIndexedIndirect is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkBuffer;
arg3 : VkDeviceSize;
arg4 : stdint_h.uint32_t;
arg5 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdDrawIndexedIndirect); -- vulkan_core.h:3251
type PFN_vkCmdDispatch is access procedure
(arg1 : VkCommandBuffer;
arg2 : stdint_h.uint32_t;
arg3 : stdint_h.uint32_t;
arg4 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdDispatch); -- vulkan_core.h:3252
type PFN_vkCmdDispatchIndirect is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkBuffer;
arg3 : VkDeviceSize);
pragma Convention (C, PFN_vkCmdDispatchIndirect); -- vulkan_core.h:3253
type PFN_vkCmdCopyBuffer is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkBuffer;
arg3 : VkBuffer;
arg4 : stdint_h.uint32_t;
arg5 : System.Address);
pragma Convention (C, PFN_vkCmdCopyBuffer); -- vulkan_core.h:3254
type PFN_vkCmdCopyImage is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkImage;
arg3 : VkImageLayout;
arg4 : VkImage;
arg5 : VkImageLayout;
arg6 : stdint_h.uint32_t;
arg7 : System.Address);
pragma Convention (C, PFN_vkCmdCopyImage); -- vulkan_core.h:3255
type PFN_vkCmdBlitImage is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkImage;
arg3 : VkImageLayout;
arg4 : VkImage;
arg5 : VkImageLayout;
arg6 : stdint_h.uint32_t;
arg7 : System.Address;
arg8 : VkFilter);
pragma Convention (C, PFN_vkCmdBlitImage); -- vulkan_core.h:3256
type PFN_vkCmdCopyBufferToImage is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkBuffer;
arg3 : VkImage;
arg4 : VkImageLayout;
arg5 : stdint_h.uint32_t;
arg6 : System.Address);
pragma Convention (C, PFN_vkCmdCopyBufferToImage); -- vulkan_core.h:3257
type PFN_vkCmdCopyImageToBuffer is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkImage;
arg3 : VkImageLayout;
arg4 : VkBuffer;
arg5 : stdint_h.uint32_t;
arg6 : System.Address);
pragma Convention (C, PFN_vkCmdCopyImageToBuffer); -- vulkan_core.h:3258
type PFN_vkCmdUpdateBuffer is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkBuffer;
arg3 : VkDeviceSize;
arg4 : VkDeviceSize;
arg5 : System.Address);
pragma Convention (C, PFN_vkCmdUpdateBuffer); -- vulkan_core.h:3259
type PFN_vkCmdFillBuffer is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkBuffer;
arg3 : VkDeviceSize;
arg4 : VkDeviceSize;
arg5 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdFillBuffer); -- vulkan_core.h:3260
type PFN_vkCmdClearColorImage is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkImage;
arg3 : VkImageLayout;
arg4 : System.Address;
arg5 : stdint_h.uint32_t;
arg6 : System.Address);
pragma Convention (C, PFN_vkCmdClearColorImage); -- vulkan_core.h:3261
type PFN_vkCmdClearDepthStencilImage is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkImage;
arg3 : VkImageLayout;
arg4 : System.Address;
arg5 : stdint_h.uint32_t;
arg6 : System.Address);
pragma Convention (C, PFN_vkCmdClearDepthStencilImage); -- vulkan_core.h:3262
type PFN_vkCmdClearAttachments is access procedure
(arg1 : VkCommandBuffer;
arg2 : stdint_h.uint32_t;
arg3 : System.Address;
arg4 : stdint_h.uint32_t;
arg5 : System.Address);
pragma Convention (C, PFN_vkCmdClearAttachments); -- vulkan_core.h:3263
type PFN_vkCmdResolveImage is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkImage;
arg3 : VkImageLayout;
arg4 : VkImage;
arg5 : VkImageLayout;
arg6 : stdint_h.uint32_t;
arg7 : System.Address);
pragma Convention (C, PFN_vkCmdResolveImage); -- vulkan_core.h:3264
type PFN_vkCmdSetEvent is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkEvent;
arg3 : VkPipelineStageFlags);
pragma Convention (C, PFN_vkCmdSetEvent); -- vulkan_core.h:3265
type PFN_vkCmdResetEvent is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkEvent;
arg3 : VkPipelineStageFlags);
pragma Convention (C, PFN_vkCmdResetEvent); -- vulkan_core.h:3266
type PFN_vkCmdWaitEvents is access procedure
(arg1 : VkCommandBuffer;
arg2 : stdint_h.uint32_t;
arg3 : System.Address;
arg4 : VkPipelineStageFlags;
arg5 : VkPipelineStageFlags;
arg6 : stdint_h.uint32_t;
arg7 : System.Address;
arg8 : stdint_h.uint32_t;
arg9 : System.Address;
arg10 : stdint_h.uint32_t;
arg11 : System.Address);
pragma Convention (C, PFN_vkCmdWaitEvents); -- vulkan_core.h:3267
type PFN_vkCmdPipelineBarrier is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkPipelineStageFlags;
arg3 : VkPipelineStageFlags;
arg4 : VkDependencyFlags;
arg5 : stdint_h.uint32_t;
arg6 : System.Address;
arg7 : stdint_h.uint32_t;
arg8 : System.Address;
arg9 : stdint_h.uint32_t;
arg10 : System.Address);
pragma Convention (C, PFN_vkCmdPipelineBarrier); -- vulkan_core.h:3268
type PFN_vkCmdBeginQuery is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkQueryPool;
arg3 : stdint_h.uint32_t;
arg4 : VkQueryControlFlags);
pragma Convention (C, PFN_vkCmdBeginQuery); -- vulkan_core.h:3269
type PFN_vkCmdEndQuery is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkQueryPool;
arg3 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdEndQuery); -- vulkan_core.h:3270
type PFN_vkCmdResetQueryPool is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkQueryPool;
arg3 : stdint_h.uint32_t;
arg4 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdResetQueryPool); -- vulkan_core.h:3271
type PFN_vkCmdWriteTimestamp is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkPipelineStageFlagBits;
arg3 : VkQueryPool;
arg4 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdWriteTimestamp); -- vulkan_core.h:3272
type PFN_vkCmdCopyQueryPoolResults is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkQueryPool;
arg3 : stdint_h.uint32_t;
arg4 : stdint_h.uint32_t;
arg5 : VkBuffer;
arg6 : VkDeviceSize;
arg7 : VkDeviceSize;
arg8 : VkQueryResultFlags);
pragma Convention (C, PFN_vkCmdCopyQueryPoolResults); -- vulkan_core.h:3273
type PFN_vkCmdPushConstants is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkPipelineLayout;
arg3 : VkShaderStageFlags;
arg4 : stdint_h.uint32_t;
arg5 : stdint_h.uint32_t;
arg6 : System.Address);
pragma Convention (C, PFN_vkCmdPushConstants); -- vulkan_core.h:3274
type PFN_vkCmdBeginRenderPass is access procedure
(arg1 : VkCommandBuffer;
arg2 : System.Address;
arg3 : VkSubpassContents);
pragma Convention (C, PFN_vkCmdBeginRenderPass); -- vulkan_core.h:3275
type PFN_vkCmdNextSubpass is access procedure (arg1 : VkCommandBuffer; arg2 : VkSubpassContents);
pragma Convention (C, PFN_vkCmdNextSubpass); -- vulkan_core.h:3276
type PFN_vkCmdEndRenderPass is access procedure (arg1 : VkCommandBuffer);
pragma Convention (C, PFN_vkCmdEndRenderPass); -- vulkan_core.h:3277
type PFN_vkCmdExecuteCommands is access procedure
(arg1 : VkCommandBuffer;
arg2 : stdint_h.uint32_t;
arg3 : System.Address);
pragma Convention (C, PFN_vkCmdExecuteCommands); -- vulkan_core.h:3278
function vkCreateInstance
(pCreateInfo : System.Address;
pAllocator : System.Address := System.Null_Address;
pInstance : System.Address) return VkResult; -- vulkan_core.h:3281
pragma Import (C, vkCreateInstance, "vkCreateInstance");
procedure vkDestroyInstance (instance : VkInstance; pAllocator : System.Address); -- vulkan_core.h:3286
pragma Import (C, vkDestroyInstance, "vkDestroyInstance");
function vkEnumeratePhysicalDevices
(instance : VkInstance;
pPhysicalDeviceCount : access stdint_h.uint32_t;
pPhysicalDevices : System.Address) return VkResult; -- vulkan_core.h:3290
pragma Import (C, vkEnumeratePhysicalDevices, "vkEnumeratePhysicalDevices");
procedure vkGetPhysicalDeviceFeatures (physicalDevice : VkPhysicalDevice; pFeatures : access VkPhysicalDeviceFeatures); -- vulkan_core.h:3295
pragma Import (C, vkGetPhysicalDeviceFeatures, "vkGetPhysicalDeviceFeatures");
procedure vkGetPhysicalDeviceFormatProperties
(physicalDevice : VkPhysicalDevice;
format : VkFormat;
pFormatProperties : access VkFormatProperties); -- vulkan_core.h:3299
pragma Import (C, vkGetPhysicalDeviceFormatProperties, "vkGetPhysicalDeviceFormatProperties");
function vkGetPhysicalDeviceImageFormatProperties
(physicalDevice : VkPhysicalDevice;
format : VkFormat;
c_type : VkImageType;
tiling : VkImageTiling;
usage : VkImageUsageFlags;
flags : VkImageCreateFlags;
pImageFormatProperties : access VkImageFormatProperties) return VkResult; -- vulkan_core.h:3304
pragma Import (C, vkGetPhysicalDeviceImageFormatProperties, "vkGetPhysicalDeviceImageFormatProperties");
procedure vkGetPhysicalDeviceProperties (physicalDevice : VkPhysicalDevice; pProperties : access VkPhysicalDeviceProperties); -- vulkan_core.h:3313
pragma Import (C, vkGetPhysicalDeviceProperties, "vkGetPhysicalDeviceProperties");
procedure vkGetPhysicalDeviceQueueFamilyProperties
(physicalDevice : VkPhysicalDevice;
pQueueFamilyPropertyCount : access stdint_h.uint32_t;
pQueueFamilyProperties : access VkQueueFamilyProperties); -- vulkan_core.h:3317
pragma Import (C, vkGetPhysicalDeviceQueueFamilyProperties, "vkGetPhysicalDeviceQueueFamilyProperties");
procedure vkGetPhysicalDeviceMemoryProperties (physicalDevice : VkPhysicalDevice; pMemoryProperties : access VkPhysicalDeviceMemoryProperties); -- vulkan_core.h:3322
pragma Import (C, vkGetPhysicalDeviceMemoryProperties, "vkGetPhysicalDeviceMemoryProperties");
function vkGetInstanceProcAddr (instance : VkInstance; pName : Interfaces.C.Strings.chars_ptr) return PFN_vkVoidFunction; -- vulkan_core.h:3326
pragma Import (C, vkGetInstanceProcAddr, "vkGetInstanceProcAddr");
function vkGetDeviceProcAddr (device : VkDevice; pName : Interfaces.C.Strings.chars_ptr) return PFN_vkVoidFunction; -- vulkan_core.h:3330
pragma Import (C, vkGetDeviceProcAddr, "vkGetDeviceProcAddr");
function vkCreateDevice
(physicalDevice : VkPhysicalDevice;
pCreateInfo : System.Address;
pAllocator : System.Address;
pDevice : System.Address) return VkResult; -- vulkan_core.h:3334
pragma Import (C, vkCreateDevice, "vkCreateDevice");
procedure vkDestroyDevice (device : VkDevice; pAllocator : System.Address); -- vulkan_core.h:3340
pragma Import (C, vkDestroyDevice, "vkDestroyDevice");
function vkEnumerateInstanceExtensionProperties
(pLayerName : Interfaces.C.Strings.chars_ptr;
pPropertyCount : access stdint_h.uint32_t;
pProperties : access VkExtensionProperties) return VkResult; -- vulkan_core.h:3344
pragma Import (C, vkEnumerateInstanceExtensionProperties, "vkEnumerateInstanceExtensionProperties");
function vkEnumerateDeviceExtensionProperties
(physicalDevice : VkPhysicalDevice;
pLayerName : Interfaces.C.Strings.chars_ptr;
pPropertyCount : access stdint_h.uint32_t;
pProperties : access VkExtensionProperties) return VkResult; -- vulkan_core.h:3349
pragma Import (C, vkEnumerateDeviceExtensionProperties, "vkEnumerateDeviceExtensionProperties");
function vkEnumerateInstanceLayerProperties (pPropertyCount : access stdint_h.uint32_t; pProperties : access VkLayerProperties) return VkResult; -- vulkan_core.h:3355
pragma Import (C, vkEnumerateInstanceLayerProperties, "vkEnumerateInstanceLayerProperties");
function vkEnumerateDeviceLayerProperties
(physicalDevice : VkPhysicalDevice;
pPropertyCount : access stdint_h.uint32_t;
pProperties : access VkLayerProperties) return VkResult; -- vulkan_core.h:3359
pragma Import (C, vkEnumerateDeviceLayerProperties, "vkEnumerateDeviceLayerProperties");
procedure vkGetDeviceQueue
(device : VkDevice;
queueFamilyIndex : stdint_h.uint32_t;
queueIndex : stdint_h.uint32_t;
pQueue : System.Address); -- vulkan_core.h:3364
pragma Import (C, vkGetDeviceQueue, "vkGetDeviceQueue");
function vkQueueSubmit
(queue : VkQueue;
submitCount : stdint_h.uint32_t;
pSubmits : System.Address;
fence : VkFence) return VkResult; -- vulkan_core.h:3370
pragma Import (C, vkQueueSubmit, "vkQueueSubmit");
function vkQueueWaitIdle (queue : VkQueue) return VkResult; -- vulkan_core.h:3376
pragma Import (C, vkQueueWaitIdle, "vkQueueWaitIdle");
function vkDeviceWaitIdle (device : VkDevice) return VkResult; -- vulkan_core.h:3379
pragma Import (C, vkDeviceWaitIdle, "vkDeviceWaitIdle");
function vkAllocateMemory
(device : VkDevice;
pAllocateInfo : System.Address;
pAllocator : System.Address;
pMemory : System.Address) return VkResult; -- vulkan_core.h:3382
pragma Import (C, vkAllocateMemory, "vkAllocateMemory");
procedure vkFreeMemory
(device : VkDevice;
memory : VkDeviceMemory;
pAllocator : System.Address); -- vulkan_core.h:3388
pragma Import (C, vkFreeMemory, "vkFreeMemory");
function vkMapMemory
(device : VkDevice;
memory : VkDeviceMemory;
offset : VkDeviceSize;
size : VkDeviceSize;
flags : VkMemoryMapFlags;
ppData : System.Address) return VkResult; -- vulkan_core.h:3393
pragma Import (C, vkMapMemory, "vkMapMemory");
procedure vkUnmapMemory (device : VkDevice; memory : VkDeviceMemory); -- vulkan_core.h:3401
pragma Import (C, vkUnmapMemory, "vkUnmapMemory");
function vkFlushMappedMemoryRanges
(device : VkDevice;
memoryRangeCount : stdint_h.uint32_t;
pMemoryRanges : System.Address) return VkResult; -- vulkan_core.h:3405
pragma Import (C, vkFlushMappedMemoryRanges, "vkFlushMappedMemoryRanges");
function vkInvalidateMappedMemoryRanges
(device : VkDevice;
memoryRangeCount : stdint_h.uint32_t;
pMemoryRanges : System.Address) return VkResult; -- vulkan_core.h:3410
pragma Import (C, vkInvalidateMappedMemoryRanges, "vkInvalidateMappedMemoryRanges");
procedure vkGetDeviceMemoryCommitment
(device : VkDevice;
memory : VkDeviceMemory;
pCommittedMemoryInBytes : access VkDeviceSize); -- vulkan_core.h:3415
pragma Import (C, vkGetDeviceMemoryCommitment, "vkGetDeviceMemoryCommitment");
function vkBindBufferMemory
(device : VkDevice;
buffer : VkBuffer;
memory : VkDeviceMemory;
memoryOffset : VkDeviceSize) return VkResult; -- vulkan_core.h:3420
pragma Import (C, vkBindBufferMemory, "vkBindBufferMemory");
function vkBindImageMemory
(device : VkDevice;
image : VkImage;
memory : VkDeviceMemory;
memoryOffset : VkDeviceSize) return VkResult; -- vulkan_core.h:3426
pragma Import (C, vkBindImageMemory, "vkBindImageMemory");
procedure vkGetBufferMemoryRequirements
(device : VkDevice;
buffer : VkBuffer;
pMemoryRequirements : access VkMemoryRequirements); -- vulkan_core.h:3432
pragma Import (C, vkGetBufferMemoryRequirements, "vkGetBufferMemoryRequirements");
procedure vkGetImageMemoryRequirements
(device : VkDevice;
image : VkImage;
pMemoryRequirements : access VkMemoryRequirements); -- vulkan_core.h:3437
pragma Import (C, vkGetImageMemoryRequirements, "vkGetImageMemoryRequirements");
procedure vkGetImageSparseMemoryRequirements
(device : VkDevice;
image : VkImage;
pSparseMemoryRequirementCount : access stdint_h.uint32_t;
pSparseMemoryRequirements : access VkSparseImageMemoryRequirements); -- vulkan_core.h:3442
pragma Import (C, vkGetImageSparseMemoryRequirements, "vkGetImageSparseMemoryRequirements");
procedure vkGetPhysicalDeviceSparseImageFormatProperties
(physicalDevice : VkPhysicalDevice;
format : VkFormat;
c_type : VkImageType;
samples : VkSampleCountFlagBits;
usage : VkImageUsageFlags;
tiling : VkImageTiling;
pPropertyCount : access stdint_h.uint32_t;
pProperties : access VkSparseImageFormatProperties); -- vulkan_core.h:3448
pragma Import (C, vkGetPhysicalDeviceSparseImageFormatProperties, "vkGetPhysicalDeviceSparseImageFormatProperties");
function vkQueueBindSparse
(queue : VkQueue;
bindInfoCount : stdint_h.uint32_t;
pBindInfo : System.Address;
fence : VkFence) return VkResult; -- vulkan_core.h:3458
pragma Import (C, vkQueueBindSparse, "vkQueueBindSparse");
function vkCreateFence
(device : VkDevice;
pCreateInfo : System.Address;
pAllocator : System.Address;
pFence : System.Address) return VkResult; -- vulkan_core.h:3464
pragma Import (C, vkCreateFence, "vkCreateFence");
procedure vkDestroyFence
(device : VkDevice;
fence : VkFence;
pAllocator : System.Address); -- vulkan_core.h:3470
pragma Import (C, vkDestroyFence, "vkDestroyFence");
function vkResetFences
(device : VkDevice;
fenceCount : stdint_h.uint32_t;
pFences : System.Address) return VkResult; -- vulkan_core.h:3475
pragma Import (C, vkResetFences, "vkResetFences");
function vkGetFenceStatus (device : VkDevice; fence : VkFence) return VkResult; -- vulkan_core.h:3480
pragma Import (C, vkGetFenceStatus, "vkGetFenceStatus");
function vkWaitForFences
(device : VkDevice;
fenceCount : stdint_h.uint32_t;
pFences : System.Address;
waitAll : VkBool32;
timeout : stdint_h.uint64_t) return VkResult; -- vulkan_core.h:3484
pragma Import (C, vkWaitForFences, "vkWaitForFences");
function vkCreateSemaphore
(device : VkDevice;
pCreateInfo : System.Address;
pAllocator : System.Address;
pSemaphore : System.Address) return VkResult; -- vulkan_core.h:3491
pragma Import (C, vkCreateSemaphore, "vkCreateSemaphore");
procedure vkDestroySemaphore
(device : VkDevice;
semaphore : VkSemaphore;
pAllocator : System.Address); -- vulkan_core.h:3497
pragma Import (C, vkDestroySemaphore, "vkDestroySemaphore");
function vkCreateEvent
(device : VkDevice;
pCreateInfo : System.Address;
pAllocator : System.Address;
pEvent : System.Address) return VkResult; -- vulkan_core.h:3502
pragma Import (C, vkCreateEvent, "vkCreateEvent");
procedure vkDestroyEvent
(device : VkDevice;
event : VkEvent;
pAllocator : System.Address); -- vulkan_core.h:3508
pragma Import (C, vkDestroyEvent, "vkDestroyEvent");
function vkGetEventStatus (device : VkDevice; event : VkEvent) return VkResult; -- vulkan_core.h:3513
pragma Import (C, vkGetEventStatus, "vkGetEventStatus");
function vkSetEvent (device : VkDevice; event : VkEvent) return VkResult; -- vulkan_core.h:3517
pragma Import (C, vkSetEvent, "vkSetEvent");
function vkResetEvent (device : VkDevice; event : VkEvent) return VkResult; -- vulkan_core.h:3521
pragma Import (C, vkResetEvent, "vkResetEvent");
function vkCreateQueryPool
(device : VkDevice;
pCreateInfo : System.Address;
pAllocator : System.Address;
pQueryPool : System.Address) return VkResult; -- vulkan_core.h:3525
pragma Import (C, vkCreateQueryPool, "vkCreateQueryPool");
procedure vkDestroyQueryPool
(device : VkDevice;
queryPool : VkQueryPool;
pAllocator : System.Address); -- vulkan_core.h:3531
pragma Import (C, vkDestroyQueryPool, "vkDestroyQueryPool");
function vkGetQueryPoolResults
(device : VkDevice;
queryPool : VkQueryPool;
firstQuery : stdint_h.uint32_t;
queryCount : stdint_h.uint32_t;
dataSize : crtdefs_h.size_t;
pData : System.Address;
stride : VkDeviceSize;
flags : VkQueryResultFlags) return VkResult; -- vulkan_core.h:3536
pragma Import (C, vkGetQueryPoolResults, "vkGetQueryPoolResults");
function vkCreateBuffer
(device : VkDevice;
pCreateInfo : System.Address;
pAllocator : System.Address;
pBuffer : System.Address) return VkResult; -- vulkan_core.h:3546
pragma Import (C, vkCreateBuffer, "vkCreateBuffer");
procedure vkDestroyBuffer
(device : VkDevice;
buffer : VkBuffer;
pAllocator : System.Address); -- vulkan_core.h:3552
pragma Import (C, vkDestroyBuffer, "vkDestroyBuffer");
function vkCreateBufferView
(device : VkDevice;
pCreateInfo : System.Address;
pAllocator : System.Address;
pView : System.Address) return VkResult; -- vulkan_core.h:3557
pragma Import (C, vkCreateBufferView, "vkCreateBufferView");
procedure vkDestroyBufferView
(device : VkDevice;
bufferView : VkBufferView;
pAllocator : System.Address); -- vulkan_core.h:3563
pragma Import (C, vkDestroyBufferView, "vkDestroyBufferView");
function vkCreateImage
(device : VkDevice;
pCreateInfo : System.Address;
pAllocator : System.Address;
pImage : System.Address) return VkResult; -- vulkan_core.h:3568
pragma Import (C, vkCreateImage, "vkCreateImage");
procedure vkDestroyImage
(device : VkDevice;
image : VkImage;
pAllocator : System.Address); -- vulkan_core.h:3574
pragma Import (C, vkDestroyImage, "vkDestroyImage");
procedure vkGetImageSubresourceLayout
(device : VkDevice;
image : VkImage;
pSubresource : System.Address;
pLayout : access VkSubresourceLayout); -- vulkan_core.h:3579
pragma Import (C, vkGetImageSubresourceLayout, "vkGetImageSubresourceLayout");
function vkCreateImageView
(device : VkDevice;
pCreateInfo : System.Address;
pAllocator : System.Address;
pView : System.Address) return VkResult; -- vulkan_core.h:3585
pragma Import (C, vkCreateImageView, "vkCreateImageView");
procedure vkDestroyImageView
(device : VkDevice;
imageView : VkImageView;
pAllocator : System.Address); -- vulkan_core.h:3591
pragma Import (C, vkDestroyImageView, "vkDestroyImageView");
function vkCreateShaderModule
(device : VkDevice;
pCreateInfo : System.Address;
pAllocator : System.Address;
pShaderModule : System.Address) return VkResult; -- vulkan_core.h:3596
pragma Import (C, vkCreateShaderModule, "vkCreateShaderModule");
procedure vkDestroyShaderModule
(device : VkDevice;
shaderModule : VkShaderModule;
pAllocator : System.Address); -- vulkan_core.h:3602
pragma Import (C, vkDestroyShaderModule, "vkDestroyShaderModule");
function vkCreatePipelineCache
(device : VkDevice;
pCreateInfo : System.Address;
pAllocator : System.Address;
pPipelineCache : System.Address) return VkResult; -- vulkan_core.h:3607
pragma Import (C, vkCreatePipelineCache, "vkCreatePipelineCache");
procedure vkDestroyPipelineCache
(device : VkDevice;
pipelineCache : VkPipelineCache;
pAllocator : System.Address); -- vulkan_core.h:3613
pragma Import (C, vkDestroyPipelineCache, "vkDestroyPipelineCache");
function vkGetPipelineCacheData
(device : VkDevice;
pipelineCache : VkPipelineCache;
pDataSize : access crtdefs_h.size_t;
pData : System.Address) return VkResult; -- vulkan_core.h:3618
pragma Import (C, vkGetPipelineCacheData, "vkGetPipelineCacheData");
function vkMergePipelineCaches
(device : VkDevice;
dstCache : VkPipelineCache;
srcCacheCount : stdint_h.uint32_t;
pSrcCaches : System.Address) return VkResult; -- vulkan_core.h:3624
pragma Import (C, vkMergePipelineCaches, "vkMergePipelineCaches");
function vkCreateGraphicsPipelines
(device : VkDevice;
pipelineCache : VkPipelineCache;
createInfoCount : stdint_h.uint32_t;
pCreateInfos : System.Address;
pAllocator : System.Address;
pPipelines : System.Address) return VkResult; -- vulkan_core.h:3630
pragma Import (C, vkCreateGraphicsPipelines, "vkCreateGraphicsPipelines");
function vkCreateComputePipelines
(device : VkDevice;
pipelineCache : VkPipelineCache;
createInfoCount : stdint_h.uint32_t;
pCreateInfos : System.Address;
pAllocator : System.Address;
pPipelines : System.Address) return VkResult; -- vulkan_core.h:3638
pragma Import (C, vkCreateComputePipelines, "vkCreateComputePipelines");
procedure vkDestroyPipeline
(device : VkDevice;
pipeline : VkPipeline;
pAllocator : System.Address); -- vulkan_core.h:3646
pragma Import (C, vkDestroyPipeline, "vkDestroyPipeline");
function vkCreatePipelineLayout
(device : VkDevice;
pCreateInfo : System.Address;
pAllocator : System.Address;
pPipelineLayout : System.Address) return VkResult; -- vulkan_core.h:3651
pragma Import (C, vkCreatePipelineLayout, "vkCreatePipelineLayout");
procedure vkDestroyPipelineLayout
(device : VkDevice;
pipelineLayout : VkPipelineLayout;
pAllocator : System.Address); -- vulkan_core.h:3657
pragma Import (C, vkDestroyPipelineLayout, "vkDestroyPipelineLayout");
function vkCreateSampler
(device : VkDevice;
pCreateInfo : System.Address;
pAllocator : System.Address;
pSampler : System.Address) return VkResult; -- vulkan_core.h:3662
pragma Import (C, vkCreateSampler, "vkCreateSampler");
procedure vkDestroySampler
(device : VkDevice;
sampler : VkSampler;
pAllocator : System.Address); -- vulkan_core.h:3668
pragma Import (C, vkDestroySampler, "vkDestroySampler");
function vkCreateDescriptorSetLayout
(device : VkDevice;
pCreateInfo : System.Address;
pAllocator : System.Address;
pSetLayout : System.Address) return VkResult; -- vulkan_core.h:3673
pragma Import (C, vkCreateDescriptorSetLayout, "vkCreateDescriptorSetLayout");
procedure vkDestroyDescriptorSetLayout
(device : VkDevice;
descriptorSetLayout : VkDescriptorSetLayout;
pAllocator : System.Address); -- vulkan_core.h:3679
pragma Import (C, vkDestroyDescriptorSetLayout, "vkDestroyDescriptorSetLayout");
function vkCreateDescriptorPool
(device : VkDevice;
pCreateInfo : System.Address;
pAllocator : System.Address;
pDescriptorPool : System.Address) return VkResult; -- vulkan_core.h:3684
pragma Import (C, vkCreateDescriptorPool, "vkCreateDescriptorPool");
procedure vkDestroyDescriptorPool
(device : VkDevice;
descriptorPool : VkDescriptorPool;
pAllocator : System.Address); -- vulkan_core.h:3690
pragma Import (C, vkDestroyDescriptorPool, "vkDestroyDescriptorPool");
function vkResetDescriptorPool
(device : VkDevice;
descriptorPool : VkDescriptorPool;
flags : VkDescriptorPoolResetFlags) return VkResult; -- vulkan_core.h:3695
pragma Import (C, vkResetDescriptorPool, "vkResetDescriptorPool");
function vkAllocateDescriptorSets
(device : VkDevice;
pAllocateInfo : System.Address;
pDescriptorSets : System.Address) return VkResult; -- vulkan_core.h:3700
pragma Import (C, vkAllocateDescriptorSets, "vkAllocateDescriptorSets");
function vkFreeDescriptorSets
(device : VkDevice;
descriptorPool : VkDescriptorPool;
descriptorSetCount : stdint_h.uint32_t;
pDescriptorSets : System.Address) return VkResult; -- vulkan_core.h:3705
pragma Import (C, vkFreeDescriptorSets, "vkFreeDescriptorSets");
procedure vkUpdateDescriptorSets
(device : VkDevice;
descriptorWriteCount : stdint_h.uint32_t;
pDescriptorWrites : System.Address;
descriptorCopyCount : stdint_h.uint32_t;
pDescriptorCopies : System.Address); -- vulkan_core.h:3711
pragma Import (C, vkUpdateDescriptorSets, "vkUpdateDescriptorSets");
function vkCreateFramebuffer
(device : VkDevice;
pCreateInfo : System.Address;
pAllocator : System.Address;
pFramebuffer : System.Address) return VkResult; -- vulkan_core.h:3718
pragma Import (C, vkCreateFramebuffer, "vkCreateFramebuffer");
procedure vkDestroyFramebuffer
(device : VkDevice;
framebuffer : VkFramebuffer;
pAllocator : System.Address); -- vulkan_core.h:3724
pragma Import (C, vkDestroyFramebuffer, "vkDestroyFramebuffer");
function vkCreateRenderPass
(device : VkDevice;
pCreateInfo : System.Address;
pAllocator : System.Address;
pRenderPass : System.Address) return VkResult; -- vulkan_core.h:3729
pragma Import (C, vkCreateRenderPass, "vkCreateRenderPass");
procedure vkDestroyRenderPass
(device : VkDevice;
renderPass : VkRenderPass;
pAllocator : System.Address); -- vulkan_core.h:3735
pragma Import (C, vkDestroyRenderPass, "vkDestroyRenderPass");
procedure vkGetRenderAreaGranularity
(device : VkDevice;
renderPass : VkRenderPass;
pGranularity : access VkExtent2D); -- vulkan_core.h:3740
pragma Import (C, vkGetRenderAreaGranularity, "vkGetRenderAreaGranularity");
function vkCreateCommandPool
(device : VkDevice;
pCreateInfo : System.Address;
pAllocator : System.Address;
pCommandPool : System.Address) return VkResult; -- vulkan_core.h:3745
pragma Import (C, vkCreateCommandPool, "vkCreateCommandPool");
procedure vkDestroyCommandPool
(device : VkDevice;
commandPool : VkCommandPool;
pAllocator : System.Address); -- vulkan_core.h:3751
pragma Import (C, vkDestroyCommandPool, "vkDestroyCommandPool");
function vkResetCommandPool
(device : VkDevice;
commandPool : VkCommandPool;
flags : VkCommandPoolResetFlags) return VkResult; -- vulkan_core.h:3756
pragma Import (C, vkResetCommandPool, "vkResetCommandPool");
function vkAllocateCommandBuffers
(device : VkDevice;
pAllocateInfo : System.Address;
pCommandBuffers : System.Address) return VkResult; -- vulkan_core.h:3761
pragma Import (C, vkAllocateCommandBuffers, "vkAllocateCommandBuffers");
procedure vkFreeCommandBuffers
(device : VkDevice;
commandPool : VkCommandPool;
commandBufferCount : stdint_h.uint32_t;
pCommandBuffers : System.Address); -- vulkan_core.h:3766
pragma Import (C, vkFreeCommandBuffers, "vkFreeCommandBuffers");
function vkBeginCommandBuffer (commandBuffer : VkCommandBuffer; pBeginInfo : System.Address) return VkResult; -- vulkan_core.h:3772
pragma Import (C, vkBeginCommandBuffer, "vkBeginCommandBuffer");
function vkEndCommandBuffer (commandBuffer : VkCommandBuffer) return VkResult; -- vulkan_core.h:3776
pragma Import (C, vkEndCommandBuffer, "vkEndCommandBuffer");
function vkResetCommandBuffer (commandBuffer : VkCommandBuffer; flags : VkCommandBufferResetFlags) return VkResult; -- vulkan_core.h:3779
pragma Import (C, vkResetCommandBuffer, "vkResetCommandBuffer");
procedure vkCmdBindPipeline
(commandBuffer : VkCommandBuffer;
pipelineBindPoint : VkPipelineBindPoint;
pipeline : VkPipeline); -- vulkan_core.h:3783
pragma Import (C, vkCmdBindPipeline, "vkCmdBindPipeline");
procedure vkCmdSetViewport
(commandBuffer : VkCommandBuffer;
firstViewport : stdint_h.uint32_t;
viewportCount : stdint_h.uint32_t;
pViewports : System.Address); -- vulkan_core.h:3788
pragma Import (C, vkCmdSetViewport, "vkCmdSetViewport");
procedure vkCmdSetScissor
(commandBuffer : VkCommandBuffer;
firstScissor : stdint_h.uint32_t;
scissorCount : stdint_h.uint32_t;
pScissors : System.Address); -- vulkan_core.h:3794
pragma Import (C, vkCmdSetScissor, "vkCmdSetScissor");
procedure vkCmdSetLineWidth (commandBuffer : VkCommandBuffer; lineWidth : float); -- vulkan_core.h:3800
pragma Import (C, vkCmdSetLineWidth, "vkCmdSetLineWidth");
procedure vkCmdSetDepthBias
(commandBuffer : VkCommandBuffer;
depthBiasConstantFactor : float;
depthBiasClamp : float;
depthBiasSlopeFactor : float); -- vulkan_core.h:3804
pragma Import (C, vkCmdSetDepthBias, "vkCmdSetDepthBias");
procedure vkCmdSetBlendConstants (commandBuffer : VkCommandBuffer; blendConstants : access float); -- vulkan_core.h:3810
pragma Import (C, vkCmdSetBlendConstants, "vkCmdSetBlendConstants");
procedure vkCmdSetDepthBounds
(commandBuffer : VkCommandBuffer;
minDepthBounds : float;
maxDepthBounds : float); -- vulkan_core.h:3814
pragma Import (C, vkCmdSetDepthBounds, "vkCmdSetDepthBounds");
procedure vkCmdSetStencilCompareMask
(commandBuffer : VkCommandBuffer;
faceMask : VkStencilFaceFlags;
compareMask : stdint_h.uint32_t); -- vulkan_core.h:3819
pragma Import (C, vkCmdSetStencilCompareMask, "vkCmdSetStencilCompareMask");
procedure vkCmdSetStencilWriteMask
(commandBuffer : VkCommandBuffer;
faceMask : VkStencilFaceFlags;
writeMask : stdint_h.uint32_t); -- vulkan_core.h:3824
pragma Import (C, vkCmdSetStencilWriteMask, "vkCmdSetStencilWriteMask");
procedure vkCmdSetStencilReference
(commandBuffer : VkCommandBuffer;
faceMask : VkStencilFaceFlags;
reference : stdint_h.uint32_t); -- vulkan_core.h:3829
pragma Import (C, vkCmdSetStencilReference, "vkCmdSetStencilReference");
procedure vkCmdBindDescriptorSets
(commandBuffer : VkCommandBuffer;
pipelineBindPoint : VkPipelineBindPoint;
layout : VkPipelineLayout;
firstSet : stdint_h.uint32_t;
descriptorSetCount : stdint_h.uint32_t;
pDescriptorSets : System.Address;
dynamicOffsetCount : stdint_h.uint32_t;
pDynamicOffsets : access stdint_h.uint32_t); -- vulkan_core.h:3834
pragma Import (C, vkCmdBindDescriptorSets, "vkCmdBindDescriptorSets");
procedure vkCmdBindIndexBuffer
(commandBuffer : VkCommandBuffer;
buffer : VkBuffer;
offset : VkDeviceSize;
indexType : VkIndexType); -- vulkan_core.h:3844
pragma Import (C, vkCmdBindIndexBuffer, "vkCmdBindIndexBuffer");
procedure vkCmdBindVertexBuffers
(commandBuffer : VkCommandBuffer;
firstBinding : stdint_h.uint32_t;
bindingCount : stdint_h.uint32_t;
pBuffers : System.Address;
pOffsets : access VkDeviceSize); -- vulkan_core.h:3850
pragma Import (C, vkCmdBindVertexBuffers, "vkCmdBindVertexBuffers");
procedure vkCmdDraw
(commandBuffer : VkCommandBuffer;
vertexCount : stdint_h.uint32_t;
instanceCount : stdint_h.uint32_t;
firstVertex : stdint_h.uint32_t;
firstInstance : stdint_h.uint32_t); -- vulkan_core.h:3857
pragma Import (C, vkCmdDraw, "vkCmdDraw");
procedure vkCmdDrawIndexed
(commandBuffer : VkCommandBuffer;
indexCount : stdint_h.uint32_t;
instanceCount : stdint_h.uint32_t;
firstIndex : stdint_h.uint32_t;
vertexOffset : stdint_h.int32_t;
firstInstance : stdint_h.uint32_t); -- vulkan_core.h:3864
pragma Import (C, vkCmdDrawIndexed, "vkCmdDrawIndexed");
procedure vkCmdDrawIndirect
(commandBuffer : VkCommandBuffer;
buffer : VkBuffer;
offset : VkDeviceSize;
drawCount : stdint_h.uint32_t;
stride : stdint_h.uint32_t); -- vulkan_core.h:3872
pragma Import (C, vkCmdDrawIndirect, "vkCmdDrawIndirect");
procedure vkCmdDrawIndexedIndirect
(commandBuffer : VkCommandBuffer;
buffer : VkBuffer;
offset : VkDeviceSize;
drawCount : stdint_h.uint32_t;
stride : stdint_h.uint32_t); -- vulkan_core.h:3879
pragma Import (C, vkCmdDrawIndexedIndirect, "vkCmdDrawIndexedIndirect");
procedure vkCmdDispatch
(commandBuffer : VkCommandBuffer;
groupCountX : stdint_h.uint32_t;
groupCountY : stdint_h.uint32_t;
groupCountZ : stdint_h.uint32_t); -- vulkan_core.h:3886
pragma Import (C, vkCmdDispatch, "vkCmdDispatch");
procedure vkCmdDispatchIndirect
(commandBuffer : VkCommandBuffer;
buffer : VkBuffer;
offset : VkDeviceSize); -- vulkan_core.h:3892
pragma Import (C, vkCmdDispatchIndirect, "vkCmdDispatchIndirect");
procedure vkCmdCopyBuffer
(commandBuffer : VkCommandBuffer;
srcBuffer : VkBuffer;
dstBuffer : VkBuffer;
regionCount : stdint_h.uint32_t;
pRegions : System.Address); -- vulkan_core.h:3897
pragma Import (C, vkCmdCopyBuffer, "vkCmdCopyBuffer");
procedure vkCmdCopyImage
(commandBuffer : VkCommandBuffer;
srcImage : VkImage;
srcImageLayout : VkImageLayout;
dstImage : VkImage;
dstImageLayout : VkImageLayout;
regionCount : stdint_h.uint32_t;
pRegions : System.Address); -- vulkan_core.h:3904
pragma Import (C, vkCmdCopyImage, "vkCmdCopyImage");
procedure vkCmdBlitImage
(commandBuffer : VkCommandBuffer;
srcImage : VkImage;
srcImageLayout : VkImageLayout;
dstImage : VkImage;
dstImageLayout : VkImageLayout;
regionCount : stdint_h.uint32_t;
pRegions : System.Address;
filter : VkFilter); -- vulkan_core.h:3913
pragma Import (C, vkCmdBlitImage, "vkCmdBlitImage");
procedure vkCmdCopyBufferToImage
(commandBuffer : VkCommandBuffer;
srcBuffer : VkBuffer;
dstImage : VkImage;
dstImageLayout : VkImageLayout;
regionCount : stdint_h.uint32_t;
pRegions : System.Address); -- vulkan_core.h:3923
pragma Import (C, vkCmdCopyBufferToImage, "vkCmdCopyBufferToImage");
procedure vkCmdCopyImageToBuffer
(commandBuffer : VkCommandBuffer;
srcImage : VkImage;
srcImageLayout : VkImageLayout;
dstBuffer : VkBuffer;
regionCount : stdint_h.uint32_t;
pRegions : System.Address); -- vulkan_core.h:3931
pragma Import (C, vkCmdCopyImageToBuffer, "vkCmdCopyImageToBuffer");
procedure vkCmdUpdateBuffer
(commandBuffer : VkCommandBuffer;
dstBuffer : VkBuffer;
dstOffset : VkDeviceSize;
dataSize : VkDeviceSize;
pData : System.Address); -- vulkan_core.h:3939
pragma Import (C, vkCmdUpdateBuffer, "vkCmdUpdateBuffer");
procedure vkCmdFillBuffer
(commandBuffer : VkCommandBuffer;
dstBuffer : VkBuffer;
dstOffset : VkDeviceSize;
size : VkDeviceSize;
data : stdint_h.uint32_t); -- vulkan_core.h:3946
pragma Import (C, vkCmdFillBuffer, "vkCmdFillBuffer");
procedure vkCmdClearColorImage
(commandBuffer : VkCommandBuffer;
image : VkImage;
imageLayout : VkImageLayout;
pColor : System.Address;
rangeCount : stdint_h.uint32_t;
pRanges : System.Address); -- vulkan_core.h:3953
pragma Import (C, vkCmdClearColorImage, "vkCmdClearColorImage");
procedure vkCmdClearDepthStencilImage
(commandBuffer : VkCommandBuffer;
image : VkImage;
imageLayout : VkImageLayout;
pDepthStencil : System.Address;
rangeCount : stdint_h.uint32_t;
pRanges : System.Address); -- vulkan_core.h:3961
pragma Import (C, vkCmdClearDepthStencilImage, "vkCmdClearDepthStencilImage");
procedure vkCmdClearAttachments
(commandBuffer : VkCommandBuffer;
attachmentCount : stdint_h.uint32_t;
pAttachments : System.Address;
rectCount : stdint_h.uint32_t;
pRects : System.Address); -- vulkan_core.h:3969
pragma Import (C, vkCmdClearAttachments, "vkCmdClearAttachments");
procedure vkCmdResolveImage
(commandBuffer : VkCommandBuffer;
srcImage : VkImage;
srcImageLayout : VkImageLayout;
dstImage : VkImage;
dstImageLayout : VkImageLayout;
regionCount : stdint_h.uint32_t;
pRegions : System.Address); -- vulkan_core.h:3976
pragma Import (C, vkCmdResolveImage, "vkCmdResolveImage");
procedure vkCmdSetEvent
(commandBuffer : VkCommandBuffer;
event : VkEvent;
stageMask : VkPipelineStageFlags); -- vulkan_core.h:3985
pragma Import (C, vkCmdSetEvent, "vkCmdSetEvent");
procedure vkCmdResetEvent
(commandBuffer : VkCommandBuffer;
event : VkEvent;
stageMask : VkPipelineStageFlags); -- vulkan_core.h:3990
pragma Import (C, vkCmdResetEvent, "vkCmdResetEvent");
procedure vkCmdWaitEvents
(commandBuffer : VkCommandBuffer;
eventCount : stdint_h.uint32_t;
pEvents : System.Address;
srcStageMask : VkPipelineStageFlags;
dstStageMask : VkPipelineStageFlags;
memoryBarrierCount : stdint_h.uint32_t;
pMemoryBarriers : System.Address;
bufferMemoryBarrierCount : stdint_h.uint32_t;
pBufferMemoryBarriers : System.Address;
imageMemoryBarrierCount : stdint_h.uint32_t;
pImageMemoryBarriers : System.Address); -- vulkan_core.h:3995
pragma Import (C, vkCmdWaitEvents, "vkCmdWaitEvents");
procedure vkCmdPipelineBarrier
(commandBuffer : VkCommandBuffer;
srcStageMask : VkPipelineStageFlags;
dstStageMask : VkPipelineStageFlags;
dependencyFlags : VkDependencyFlags;
memoryBarrierCount : stdint_h.uint32_t;
pMemoryBarriers : System.Address;
bufferMemoryBarrierCount : stdint_h.uint32_t;
pBufferMemoryBarriers : System.Address;
imageMemoryBarrierCount : stdint_h.uint32_t;
pImageMemoryBarriers : System.Address); -- vulkan_core.h:4008
pragma Import (C, vkCmdPipelineBarrier, "vkCmdPipelineBarrier");
procedure vkCmdBeginQuery
(commandBuffer : VkCommandBuffer;
queryPool : VkQueryPool;
query : stdint_h.uint32_t;
flags : VkQueryControlFlags); -- vulkan_core.h:4020
pragma Import (C, vkCmdBeginQuery, "vkCmdBeginQuery");
procedure vkCmdEndQuery
(commandBuffer : VkCommandBuffer;
queryPool : VkQueryPool;
query : stdint_h.uint32_t); -- vulkan_core.h:4026
pragma Import (C, vkCmdEndQuery, "vkCmdEndQuery");
procedure vkCmdResetQueryPool
(commandBuffer : VkCommandBuffer;
queryPool : VkQueryPool;
firstQuery : stdint_h.uint32_t;
queryCount : stdint_h.uint32_t); -- vulkan_core.h:4031
pragma Import (C, vkCmdResetQueryPool, "vkCmdResetQueryPool");
procedure vkCmdWriteTimestamp
(commandBuffer : VkCommandBuffer;
pipelineStage : VkPipelineStageFlagBits;
queryPool : VkQueryPool;
query : stdint_h.uint32_t); -- vulkan_core.h:4037
pragma Import (C, vkCmdWriteTimestamp, "vkCmdWriteTimestamp");
procedure vkCmdCopyQueryPoolResults
(commandBuffer : VkCommandBuffer;
queryPool : VkQueryPool;
firstQuery : stdint_h.uint32_t;
queryCount : stdint_h.uint32_t;
dstBuffer : VkBuffer;
dstOffset : VkDeviceSize;
stride : VkDeviceSize;
flags : VkQueryResultFlags); -- vulkan_core.h:4043
pragma Import (C, vkCmdCopyQueryPoolResults, "vkCmdCopyQueryPoolResults");
procedure vkCmdPushConstants
(commandBuffer : VkCommandBuffer;
layout : VkPipelineLayout;
stageFlags : VkShaderStageFlags;
offset : stdint_h.uint32_t;
size : stdint_h.uint32_t;
pValues : System.Address); -- vulkan_core.h:4053
pragma Import (C, vkCmdPushConstants, "vkCmdPushConstants");
procedure vkCmdBeginRenderPass
(commandBuffer : VkCommandBuffer;
pRenderPassBegin : System.Address;
contents : VkSubpassContents); -- vulkan_core.h:4061
pragma Import (C, vkCmdBeginRenderPass, "vkCmdBeginRenderPass");
procedure vkCmdNextSubpass (commandBuffer : VkCommandBuffer; contents : VkSubpassContents); -- vulkan_core.h:4066
pragma Import (C, vkCmdNextSubpass, "vkCmdNextSubpass");
procedure vkCmdEndRenderPass (commandBuffer : VkCommandBuffer); -- vulkan_core.h:4070
pragma Import (C, vkCmdEndRenderPass, "vkCmdEndRenderPass");
procedure vkCmdExecuteCommands
(commandBuffer : VkCommandBuffer;
commandBufferCount : stdint_h.uint32_t;
pCommandBuffers : System.Address); -- vulkan_core.h:4073
pragma Import (C, vkCmdExecuteCommands, "vkCmdExecuteCommands");
-- Vulkan 1.1 version number
-- skipped empty struct VkSamplerYcbcrConversion_T
type VkSamplerYcbcrConversion is new System.Address; -- vulkan_core.h:4084
type VkDescriptorUpdateTemplate is new System.Address; -- vulkan_core.h:4085
-- skipped empty struct VkDescriptorUpdateTemplate_T
subtype VkPointClippingBehavior is unsigned;
VK_POINT_CLIPPING_BEHAVIOR_ALL_CLIP_PLANES : constant VkPointClippingBehavior := 0;
VK_POINT_CLIPPING_BEHAVIOR_USER_CLIP_PLANES_ONLY : constant VkPointClippingBehavior := 1;
VK_POINT_CLIPPING_BEHAVIOR_ALL_CLIP_PLANES_KHR : constant VkPointClippingBehavior := 0;
VK_POINT_CLIPPING_BEHAVIOR_USER_CLIP_PLANES_ONLY_KHR : constant VkPointClippingBehavior := 1;
VK_POINT_CLIPPING_BEHAVIOR_MAX_ENUM : constant VkPointClippingBehavior := 2147483647; -- vulkan_core.h:4090
subtype VkTessellationDomainOrigin is unsigned;
VK_TESSELLATION_DOMAIN_ORIGIN_UPPER_LEFT : constant VkTessellationDomainOrigin := 0;
VK_TESSELLATION_DOMAIN_ORIGIN_LOWER_LEFT : constant VkTessellationDomainOrigin := 1;
VK_TESSELLATION_DOMAIN_ORIGIN_UPPER_LEFT_KHR : constant VkTessellationDomainOrigin := 0;
VK_TESSELLATION_DOMAIN_ORIGIN_LOWER_LEFT_KHR : constant VkTessellationDomainOrigin := 1;
VK_TESSELLATION_DOMAIN_ORIGIN_MAX_ENUM : constant VkTessellationDomainOrigin := 2147483647; -- vulkan_core.h:4098
subtype VkSamplerYcbcrModelConversion is unsigned;
VK_SAMPLER_YCBCR_MODEL_CONVERSION_RGB_IDENTITY : constant VkSamplerYcbcrModelConversion := 0;
VK_SAMPLER_YCBCR_MODEL_CONVERSION_YCBCR_IDENTITY : constant VkSamplerYcbcrModelConversion := 1;
VK_SAMPLER_YCBCR_MODEL_CONVERSION_YCBCR_709 : constant VkSamplerYcbcrModelConversion := 2;
VK_SAMPLER_YCBCR_MODEL_CONVERSION_YCBCR_601 : constant VkSamplerYcbcrModelConversion := 3;
VK_SAMPLER_YCBCR_MODEL_CONVERSION_YCBCR_2020 : constant VkSamplerYcbcrModelConversion := 4;
VK_SAMPLER_YCBCR_MODEL_CONVERSION_RGB_IDENTITY_KHR : constant VkSamplerYcbcrModelConversion := 0;
VK_SAMPLER_YCBCR_MODEL_CONVERSION_YCBCR_IDENTITY_KHR : constant VkSamplerYcbcrModelConversion := 1;
VK_SAMPLER_YCBCR_MODEL_CONVERSION_YCBCR_709_KHR : constant VkSamplerYcbcrModelConversion := 2;
VK_SAMPLER_YCBCR_MODEL_CONVERSION_YCBCR_601_KHR : constant VkSamplerYcbcrModelConversion := 3;
VK_SAMPLER_YCBCR_MODEL_CONVERSION_YCBCR_2020_KHR : constant VkSamplerYcbcrModelConversion := 4;
VK_SAMPLER_YCBCR_MODEL_CONVERSION_MAX_ENUM : constant VkSamplerYcbcrModelConversion := 2147483647; -- vulkan_core.h:4106
subtype VkSamplerYcbcrRange is unsigned;
VK_SAMPLER_YCBCR_RANGE_ITU_FULL : constant VkSamplerYcbcrRange := 0;
VK_SAMPLER_YCBCR_RANGE_ITU_NARROW : constant VkSamplerYcbcrRange := 1;
VK_SAMPLER_YCBCR_RANGE_ITU_FULL_KHR : constant VkSamplerYcbcrRange := 0;
VK_SAMPLER_YCBCR_RANGE_ITU_NARROW_KHR : constant VkSamplerYcbcrRange := 1;
VK_SAMPLER_YCBCR_RANGE_MAX_ENUM : constant VkSamplerYcbcrRange := 2147483647; -- vulkan_core.h:4120
subtype VkChromaLocation is unsigned;
VK_CHROMA_LOCATION_COSITED_EVEN : constant VkChromaLocation := 0;
VK_CHROMA_LOCATION_MIDPOINT : constant VkChromaLocation := 1;
VK_CHROMA_LOCATION_COSITED_EVEN_KHR : constant VkChromaLocation := 0;
VK_CHROMA_LOCATION_MIDPOINT_KHR : constant VkChromaLocation := 1;
VK_CHROMA_LOCATION_MAX_ENUM : constant VkChromaLocation := 2147483647; -- vulkan_core.h:4128
subtype VkDescriptorUpdateTemplateType is unsigned;
VK_DESCRIPTOR_UPDATE_TEMPLATE_TYPE_DESCRIPTOR_SET : constant VkDescriptorUpdateTemplateType := 0;
VK_DESCRIPTOR_UPDATE_TEMPLATE_TYPE_PUSH_DESCRIPTORS_KHR : constant VkDescriptorUpdateTemplateType := 1;
VK_DESCRIPTOR_UPDATE_TEMPLATE_TYPE_DESCRIPTOR_SET_KHR : constant VkDescriptorUpdateTemplateType := 0;
VK_DESCRIPTOR_UPDATE_TEMPLATE_TYPE_MAX_ENUM : constant VkDescriptorUpdateTemplateType := 2147483647; -- vulkan_core.h:4136
subtype VkSubgroupFeatureFlagBits is unsigned;
VK_SUBGROUP_FEATURE_BASIC_BIT : constant VkSubgroupFeatureFlagBits := 1;
VK_SUBGROUP_FEATURE_VOTE_BIT : constant VkSubgroupFeatureFlagBits := 2;
VK_SUBGROUP_FEATURE_ARITHMETIC_BIT : constant VkSubgroupFeatureFlagBits := 4;
VK_SUBGROUP_FEATURE_BALLOT_BIT : constant VkSubgroupFeatureFlagBits := 8;
VK_SUBGROUP_FEATURE_SHUFFLE_BIT : constant VkSubgroupFeatureFlagBits := 16;
VK_SUBGROUP_FEATURE_SHUFFLE_RELATIVE_BIT : constant VkSubgroupFeatureFlagBits := 32;
VK_SUBGROUP_FEATURE_CLUSTERED_BIT : constant VkSubgroupFeatureFlagBits := 64;
VK_SUBGROUP_FEATURE_QUAD_BIT : constant VkSubgroupFeatureFlagBits := 128;
VK_SUBGROUP_FEATURE_PARTITIONED_BIT_NV : constant VkSubgroupFeatureFlagBits := 256;
VK_SUBGROUP_FEATURE_FLAG_BITS_MAX_ENUM : constant VkSubgroupFeatureFlagBits := 2147483647; -- vulkan_core.h:4143
subtype VkSubgroupFeatureFlags is VkFlags; -- vulkan_core.h:4155
subtype VkPeerMemoryFeatureFlagBits is unsigned;
VK_PEER_MEMORY_FEATURE_COPY_SRC_BIT : constant VkPeerMemoryFeatureFlagBits := 1;
VK_PEER_MEMORY_FEATURE_COPY_DST_BIT : constant VkPeerMemoryFeatureFlagBits := 2;
VK_PEER_MEMORY_FEATURE_GENERIC_SRC_BIT : constant VkPeerMemoryFeatureFlagBits := 4;
VK_PEER_MEMORY_FEATURE_GENERIC_DST_BIT : constant VkPeerMemoryFeatureFlagBits := 8;
VK_PEER_MEMORY_FEATURE_COPY_SRC_BIT_KHR : constant VkPeerMemoryFeatureFlagBits := 1;
VK_PEER_MEMORY_FEATURE_COPY_DST_BIT_KHR : constant VkPeerMemoryFeatureFlagBits := 2;
VK_PEER_MEMORY_FEATURE_GENERIC_SRC_BIT_KHR : constant VkPeerMemoryFeatureFlagBits := 4;
VK_PEER_MEMORY_FEATURE_GENERIC_DST_BIT_KHR : constant VkPeerMemoryFeatureFlagBits := 8;
VK_PEER_MEMORY_FEATURE_FLAG_BITS_MAX_ENUM : constant VkPeerMemoryFeatureFlagBits := 2147483647; -- vulkan_core.h:4157
subtype VkPeerMemoryFeatureFlags is VkFlags; -- vulkan_core.h:4168
subtype VkMemoryAllocateFlagBits is unsigned;
VK_MEMORY_ALLOCATE_DEVICE_MASK_BIT : constant VkMemoryAllocateFlagBits := 1;
VK_MEMORY_ALLOCATE_DEVICE_ADDRESS_BIT : constant VkMemoryAllocateFlagBits := 2;
VK_MEMORY_ALLOCATE_DEVICE_ADDRESS_CAPTURE_REPLAY_BIT : constant VkMemoryAllocateFlagBits := 4;
VK_MEMORY_ALLOCATE_DEVICE_MASK_BIT_KHR : constant VkMemoryAllocateFlagBits := 1;
VK_MEMORY_ALLOCATE_DEVICE_ADDRESS_BIT_KHR : constant VkMemoryAllocateFlagBits := 2;
VK_MEMORY_ALLOCATE_DEVICE_ADDRESS_CAPTURE_REPLAY_BIT_KHR : constant VkMemoryAllocateFlagBits := 4;
VK_MEMORY_ALLOCATE_FLAG_BITS_MAX_ENUM : constant VkMemoryAllocateFlagBits := 2147483647; -- vulkan_core.h:4170
subtype VkMemoryAllocateFlags is VkFlags; -- vulkan_core.h:4179
subtype VkCommandPoolTrimFlags is VkFlags; -- vulkan_core.h:4180
subtype VkDescriptorUpdateTemplateCreateFlags is VkFlags; -- vulkan_core.h:4181
subtype VkExternalMemoryHandleTypeFlagBits is unsigned;
VK_EXTERNAL_MEMORY_HANDLE_TYPE_OPAQUE_FD_BIT : constant VkExternalMemoryHandleTypeFlagBits := 1;
VK_EXTERNAL_MEMORY_HANDLE_TYPE_OPAQUE_WIN32_BIT : constant VkExternalMemoryHandleTypeFlagBits := 2;
VK_EXTERNAL_MEMORY_HANDLE_TYPE_OPAQUE_WIN32_KMT_BIT : constant VkExternalMemoryHandleTypeFlagBits := 4;
VK_EXTERNAL_MEMORY_HANDLE_TYPE_D3D11_TEXTURE_BIT : constant VkExternalMemoryHandleTypeFlagBits := 8;
VK_EXTERNAL_MEMORY_HANDLE_TYPE_D3D11_TEXTURE_KMT_BIT : constant VkExternalMemoryHandleTypeFlagBits := 16;
VK_EXTERNAL_MEMORY_HANDLE_TYPE_D3D12_HEAP_BIT : constant VkExternalMemoryHandleTypeFlagBits := 32;
VK_EXTERNAL_MEMORY_HANDLE_TYPE_D3D12_RESOURCE_BIT : constant VkExternalMemoryHandleTypeFlagBits := 64;
VK_EXTERNAL_MEMORY_HANDLE_TYPE_DMA_BUF_BIT_EXT : constant VkExternalMemoryHandleTypeFlagBits := 512;
VK_EXTERNAL_MEMORY_HANDLE_TYPE_ANDROID_HARDWARE_BUFFER_BIT_ANDROID : constant VkExternalMemoryHandleTypeFlagBits := 1024;
VK_EXTERNAL_MEMORY_HANDLE_TYPE_HOST_ALLOCATION_BIT_EXT : constant VkExternalMemoryHandleTypeFlagBits := 128;
VK_EXTERNAL_MEMORY_HANDLE_TYPE_HOST_MAPPED_FOREIGN_MEMORY_BIT_EXT : constant VkExternalMemoryHandleTypeFlagBits := 256;
VK_EXTERNAL_MEMORY_HANDLE_TYPE_OPAQUE_FD_BIT_KHR : constant VkExternalMemoryHandleTypeFlagBits := 1;
VK_EXTERNAL_MEMORY_HANDLE_TYPE_OPAQUE_WIN32_BIT_KHR : constant VkExternalMemoryHandleTypeFlagBits := 2;
VK_EXTERNAL_MEMORY_HANDLE_TYPE_OPAQUE_WIN32_KMT_BIT_KHR : constant VkExternalMemoryHandleTypeFlagBits := 4;
VK_EXTERNAL_MEMORY_HANDLE_TYPE_D3D11_TEXTURE_BIT_KHR : constant VkExternalMemoryHandleTypeFlagBits := 8;
VK_EXTERNAL_MEMORY_HANDLE_TYPE_D3D11_TEXTURE_KMT_BIT_KHR : constant VkExternalMemoryHandleTypeFlagBits := 16;
VK_EXTERNAL_MEMORY_HANDLE_TYPE_D3D12_HEAP_BIT_KHR : constant VkExternalMemoryHandleTypeFlagBits := 32;
VK_EXTERNAL_MEMORY_HANDLE_TYPE_D3D12_RESOURCE_BIT_KHR : constant VkExternalMemoryHandleTypeFlagBits := 64;
VK_EXTERNAL_MEMORY_HANDLE_TYPE_FLAG_BITS_MAX_ENUM : constant VkExternalMemoryHandleTypeFlagBits := 2147483647; -- vulkan_core.h:4183
subtype VkExternalMemoryHandleTypeFlags is VkFlags; -- vulkan_core.h:4204
subtype VkExternalMemoryFeatureFlagBits is unsigned;
VK_EXTERNAL_MEMORY_FEATURE_DEDICATED_ONLY_BIT : constant VkExternalMemoryFeatureFlagBits := 1;
VK_EXTERNAL_MEMORY_FEATURE_EXPORTABLE_BIT : constant VkExternalMemoryFeatureFlagBits := 2;
VK_EXTERNAL_MEMORY_FEATURE_IMPORTABLE_BIT : constant VkExternalMemoryFeatureFlagBits := 4;
VK_EXTERNAL_MEMORY_FEATURE_DEDICATED_ONLY_BIT_KHR : constant VkExternalMemoryFeatureFlagBits := 1;
VK_EXTERNAL_MEMORY_FEATURE_EXPORTABLE_BIT_KHR : constant VkExternalMemoryFeatureFlagBits := 2;
VK_EXTERNAL_MEMORY_FEATURE_IMPORTABLE_BIT_KHR : constant VkExternalMemoryFeatureFlagBits := 4;
VK_EXTERNAL_MEMORY_FEATURE_FLAG_BITS_MAX_ENUM : constant VkExternalMemoryFeatureFlagBits := 2147483647; -- vulkan_core.h:4206
subtype VkExternalMemoryFeatureFlags is VkFlags; -- vulkan_core.h:4215
subtype VkExternalFenceHandleTypeFlagBits is unsigned;
VK_EXTERNAL_FENCE_HANDLE_TYPE_OPAQUE_FD_BIT : constant VkExternalFenceHandleTypeFlagBits := 1;
VK_EXTERNAL_FENCE_HANDLE_TYPE_OPAQUE_WIN32_BIT : constant VkExternalFenceHandleTypeFlagBits := 2;
VK_EXTERNAL_FENCE_HANDLE_TYPE_OPAQUE_WIN32_KMT_BIT : constant VkExternalFenceHandleTypeFlagBits := 4;
VK_EXTERNAL_FENCE_HANDLE_TYPE_SYNC_FD_BIT : constant VkExternalFenceHandleTypeFlagBits := 8;
VK_EXTERNAL_FENCE_HANDLE_TYPE_OPAQUE_FD_BIT_KHR : constant VkExternalFenceHandleTypeFlagBits := 1;
VK_EXTERNAL_FENCE_HANDLE_TYPE_OPAQUE_WIN32_BIT_KHR : constant VkExternalFenceHandleTypeFlagBits := 2;
VK_EXTERNAL_FENCE_HANDLE_TYPE_OPAQUE_WIN32_KMT_BIT_KHR : constant VkExternalFenceHandleTypeFlagBits := 4;
VK_EXTERNAL_FENCE_HANDLE_TYPE_SYNC_FD_BIT_KHR : constant VkExternalFenceHandleTypeFlagBits := 8;
VK_EXTERNAL_FENCE_HANDLE_TYPE_FLAG_BITS_MAX_ENUM : constant VkExternalFenceHandleTypeFlagBits := 2147483647; -- vulkan_core.h:4217
subtype VkExternalFenceHandleTypeFlags is VkFlags; -- vulkan_core.h:4228
subtype VkExternalFenceFeatureFlagBits is unsigned;
VK_EXTERNAL_FENCE_FEATURE_EXPORTABLE_BIT : constant VkExternalFenceFeatureFlagBits := 1;
VK_EXTERNAL_FENCE_FEATURE_IMPORTABLE_BIT : constant VkExternalFenceFeatureFlagBits := 2;
VK_EXTERNAL_FENCE_FEATURE_EXPORTABLE_BIT_KHR : constant VkExternalFenceFeatureFlagBits := 1;
VK_EXTERNAL_FENCE_FEATURE_IMPORTABLE_BIT_KHR : constant VkExternalFenceFeatureFlagBits := 2;
VK_EXTERNAL_FENCE_FEATURE_FLAG_BITS_MAX_ENUM : constant VkExternalFenceFeatureFlagBits := 2147483647; -- vulkan_core.h:4230
subtype VkExternalFenceFeatureFlags is VkFlags; -- vulkan_core.h:4237
subtype VkFenceImportFlagBits is unsigned;
VK_FENCE_IMPORT_TEMPORARY_BIT : constant VkFenceImportFlagBits := 1;
VK_FENCE_IMPORT_TEMPORARY_BIT_KHR : constant VkFenceImportFlagBits := 1;
VK_FENCE_IMPORT_FLAG_BITS_MAX_ENUM : constant VkFenceImportFlagBits := 2147483647; -- vulkan_core.h:4239
subtype VkFenceImportFlags is VkFlags; -- vulkan_core.h:4244
subtype VkSemaphoreImportFlagBits is unsigned;
VK_SEMAPHORE_IMPORT_TEMPORARY_BIT : constant VkSemaphoreImportFlagBits := 1;
VK_SEMAPHORE_IMPORT_TEMPORARY_BIT_KHR : constant VkSemaphoreImportFlagBits := 1;
VK_SEMAPHORE_IMPORT_FLAG_BITS_MAX_ENUM : constant VkSemaphoreImportFlagBits := 2147483647; -- vulkan_core.h:4246
subtype VkSemaphoreImportFlags is VkFlags; -- vulkan_core.h:4251
subtype VkExternalSemaphoreHandleTypeFlagBits is unsigned;
VK_EXTERNAL_SEMAPHORE_HANDLE_TYPE_OPAQUE_FD_BIT : constant VkExternalSemaphoreHandleTypeFlagBits := 1;
VK_EXTERNAL_SEMAPHORE_HANDLE_TYPE_OPAQUE_WIN32_BIT : constant VkExternalSemaphoreHandleTypeFlagBits := 2;
VK_EXTERNAL_SEMAPHORE_HANDLE_TYPE_OPAQUE_WIN32_KMT_BIT : constant VkExternalSemaphoreHandleTypeFlagBits := 4;
VK_EXTERNAL_SEMAPHORE_HANDLE_TYPE_D3D12_FENCE_BIT : constant VkExternalSemaphoreHandleTypeFlagBits := 8;
VK_EXTERNAL_SEMAPHORE_HANDLE_TYPE_SYNC_FD_BIT : constant VkExternalSemaphoreHandleTypeFlagBits := 16;
VK_EXTERNAL_SEMAPHORE_HANDLE_TYPE_D3D11_FENCE_BIT : constant VkExternalSemaphoreHandleTypeFlagBits := 8;
VK_EXTERNAL_SEMAPHORE_HANDLE_TYPE_OPAQUE_FD_BIT_KHR : constant VkExternalSemaphoreHandleTypeFlagBits := 1;
VK_EXTERNAL_SEMAPHORE_HANDLE_TYPE_OPAQUE_WIN32_BIT_KHR : constant VkExternalSemaphoreHandleTypeFlagBits := 2;
VK_EXTERNAL_SEMAPHORE_HANDLE_TYPE_OPAQUE_WIN32_KMT_BIT_KHR : constant VkExternalSemaphoreHandleTypeFlagBits := 4;
VK_EXTERNAL_SEMAPHORE_HANDLE_TYPE_D3D12_FENCE_BIT_KHR : constant VkExternalSemaphoreHandleTypeFlagBits := 8;
VK_EXTERNAL_SEMAPHORE_HANDLE_TYPE_SYNC_FD_BIT_KHR : constant VkExternalSemaphoreHandleTypeFlagBits := 16;
VK_EXTERNAL_SEMAPHORE_HANDLE_TYPE_FLAG_BITS_MAX_ENUM : constant VkExternalSemaphoreHandleTypeFlagBits := 2147483647; -- vulkan_core.h:4253
subtype VkExternalSemaphoreHandleTypeFlags is VkFlags; -- vulkan_core.h:4267
subtype VkExternalSemaphoreFeatureFlagBits is unsigned;
VK_EXTERNAL_SEMAPHORE_FEATURE_EXPORTABLE_BIT : constant VkExternalSemaphoreFeatureFlagBits := 1;
VK_EXTERNAL_SEMAPHORE_FEATURE_IMPORTABLE_BIT : constant VkExternalSemaphoreFeatureFlagBits := 2;
VK_EXTERNAL_SEMAPHORE_FEATURE_EXPORTABLE_BIT_KHR : constant VkExternalSemaphoreFeatureFlagBits := 1;
VK_EXTERNAL_SEMAPHORE_FEATURE_IMPORTABLE_BIT_KHR : constant VkExternalSemaphoreFeatureFlagBits := 2;
VK_EXTERNAL_SEMAPHORE_FEATURE_FLAG_BITS_MAX_ENUM : constant VkExternalSemaphoreFeatureFlagBits := 2147483647; -- vulkan_core.h:4269
subtype VkExternalSemaphoreFeatureFlags is VkFlags; -- vulkan_core.h:4276
type VkPhysicalDeviceSubgroupProperties is record
sType : aliased VkStructureType; -- vulkan_core.h:4278
pNext : System.Address; -- vulkan_core.h:4279
subgroupSize : aliased stdint_h.uint32_t; -- vulkan_core.h:4280
supportedStages : aliased VkShaderStageFlags; -- vulkan_core.h:4281
supportedOperations : aliased VkSubgroupFeatureFlags; -- vulkan_core.h:4282
quadOperationsInAllStages : aliased VkBool32; -- vulkan_core.h:4283
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceSubgroupProperties); -- vulkan_core.h:4277
type VkBindBufferMemoryInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:4287
pNext : System.Address; -- vulkan_core.h:4288
buffer : VkBuffer; -- vulkan_core.h:4289
memory : VkDeviceMemory; -- vulkan_core.h:4290
memoryOffset : aliased VkDeviceSize; -- vulkan_core.h:4291
end record;
pragma Convention (C_Pass_By_Copy, VkBindBufferMemoryInfo); -- vulkan_core.h:4286
type VkBindImageMemoryInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:4295
pNext : System.Address; -- vulkan_core.h:4296
image : VkImage; -- vulkan_core.h:4297
memory : VkDeviceMemory; -- vulkan_core.h:4298
memoryOffset : aliased VkDeviceSize; -- vulkan_core.h:4299
end record;
pragma Convention (C_Pass_By_Copy, VkBindImageMemoryInfo); -- vulkan_core.h:4294
type VkPhysicalDevice16BitStorageFeatures is record
sType : aliased VkStructureType; -- vulkan_core.h:4303
pNext : System.Address; -- vulkan_core.h:4304
storageBuffer16BitAccess : aliased VkBool32; -- vulkan_core.h:4305
uniformAndStorageBuffer16BitAccess : aliased VkBool32; -- vulkan_core.h:4306
storagePushConstant16 : aliased VkBool32; -- vulkan_core.h:4307
storageInputOutput16 : aliased VkBool32; -- vulkan_core.h:4308
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDevice16BitStorageFeatures); -- vulkan_core.h:4302
type VkMemoryDedicatedRequirements is record
sType : aliased VkStructureType; -- vulkan_core.h:4312
pNext : System.Address; -- vulkan_core.h:4313
prefersDedicatedAllocation : aliased VkBool32; -- vulkan_core.h:4314
requiresDedicatedAllocation : aliased VkBool32; -- vulkan_core.h:4315
end record;
pragma Convention (C_Pass_By_Copy, VkMemoryDedicatedRequirements); -- vulkan_core.h:4311
type VkMemoryDedicatedAllocateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:4319
pNext : System.Address; -- vulkan_core.h:4320
image : VkImage; -- vulkan_core.h:4321
buffer : VkBuffer; -- vulkan_core.h:4322
end record;
pragma Convention (C_Pass_By_Copy, VkMemoryDedicatedAllocateInfo); -- vulkan_core.h:4318
type VkMemoryAllocateFlagsInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:4326
pNext : System.Address; -- vulkan_core.h:4327
flags : aliased VkMemoryAllocateFlags; -- vulkan_core.h:4328
deviceMask : aliased stdint_h.uint32_t; -- vulkan_core.h:4329
end record;
pragma Convention (C_Pass_By_Copy, VkMemoryAllocateFlagsInfo); -- vulkan_core.h:4325
type VkDeviceGroupRenderPassBeginInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:4333
pNext : System.Address; -- vulkan_core.h:4334
deviceMask : aliased stdint_h.uint32_t; -- vulkan_core.h:4335
deviceRenderAreaCount : aliased stdint_h.uint32_t; -- vulkan_core.h:4336
pDeviceRenderAreas : System.Address; -- vulkan_core.h:4337
end record;
pragma Convention (C_Pass_By_Copy, VkDeviceGroupRenderPassBeginInfo); -- vulkan_core.h:4332
type VkDeviceGroupCommandBufferBeginInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:4341
pNext : System.Address; -- vulkan_core.h:4342
deviceMask : aliased stdint_h.uint32_t; -- vulkan_core.h:4343
end record;
pragma Convention (C_Pass_By_Copy, VkDeviceGroupCommandBufferBeginInfo); -- vulkan_core.h:4340
type VkDeviceGroupSubmitInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:4347
pNext : System.Address; -- vulkan_core.h:4348
waitSemaphoreCount : aliased stdint_h.uint32_t; -- vulkan_core.h:4349
pWaitSemaphoreDeviceIndices : access stdint_h.uint32_t; -- vulkan_core.h:4350
commandBufferCount : aliased stdint_h.uint32_t; -- vulkan_core.h:4351
pCommandBufferDeviceMasks : access stdint_h.uint32_t; -- vulkan_core.h:4352
signalSemaphoreCount : aliased stdint_h.uint32_t; -- vulkan_core.h:4353
pSignalSemaphoreDeviceIndices : access stdint_h.uint32_t; -- vulkan_core.h:4354
end record;
pragma Convention (C_Pass_By_Copy, VkDeviceGroupSubmitInfo); -- vulkan_core.h:4346
type VkDeviceGroupBindSparseInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:4358
pNext : System.Address; -- vulkan_core.h:4359
resourceDeviceIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:4360
memoryDeviceIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:4361
end record;
pragma Convention (C_Pass_By_Copy, VkDeviceGroupBindSparseInfo); -- vulkan_core.h:4357
type VkBindBufferMemoryDeviceGroupInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:4365
pNext : System.Address; -- vulkan_core.h:4366
deviceIndexCount : aliased stdint_h.uint32_t; -- vulkan_core.h:4367
pDeviceIndices : access stdint_h.uint32_t; -- vulkan_core.h:4368
end record;
pragma Convention (C_Pass_By_Copy, VkBindBufferMemoryDeviceGroupInfo); -- vulkan_core.h:4364
type VkBindImageMemoryDeviceGroupInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:4372
pNext : System.Address; -- vulkan_core.h:4373
deviceIndexCount : aliased stdint_h.uint32_t; -- vulkan_core.h:4374
pDeviceIndices : access stdint_h.uint32_t; -- vulkan_core.h:4375
splitInstanceBindRegionCount : aliased stdint_h.uint32_t; -- vulkan_core.h:4376
pSplitInstanceBindRegions : System.Address; -- vulkan_core.h:4377
end record;
pragma Convention (C_Pass_By_Copy, VkBindImageMemoryDeviceGroupInfo); -- vulkan_core.h:4371
type VkPhysicalDeviceGroupProperties_physicalDevices_array is array (0 .. 31) of VkPhysicalDevice;
type VkPhysicalDeviceGroupProperties is record
sType : aliased VkStructureType; -- vulkan_core.h:4381
pNext : System.Address; -- vulkan_core.h:4382
physicalDeviceCount : aliased stdint_h.uint32_t; -- vulkan_core.h:4383
physicalDevices : aliased VkPhysicalDeviceGroupProperties_physicalDevices_array; -- vulkan_core.h:4384
subsetAllocation : aliased VkBool32; -- vulkan_core.h:4385
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceGroupProperties); -- vulkan_core.h:4380
type VkDeviceGroupDeviceCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:4389
pNext : System.Address; -- vulkan_core.h:4390
physicalDeviceCount : aliased stdint_h.uint32_t; -- vulkan_core.h:4391
pPhysicalDevices : System.Address; -- vulkan_core.h:4392
end record;
pragma Convention (C_Pass_By_Copy, VkDeviceGroupDeviceCreateInfo); -- vulkan_core.h:4388
type VkBufferMemoryRequirementsInfo2 is record
sType : aliased VkStructureType; -- vulkan_core.h:4396
pNext : System.Address; -- vulkan_core.h:4397
buffer : VkBuffer; -- vulkan_core.h:4398
end record;
pragma Convention (C_Pass_By_Copy, VkBufferMemoryRequirementsInfo2); -- vulkan_core.h:4395
type VkImageMemoryRequirementsInfo2 is record
sType : aliased VkStructureType; -- vulkan_core.h:4402
pNext : System.Address; -- vulkan_core.h:4403
image : VkImage; -- vulkan_core.h:4404
end record;
pragma Convention (C_Pass_By_Copy, VkImageMemoryRequirementsInfo2); -- vulkan_core.h:4401
type VkImageSparseMemoryRequirementsInfo2 is record
sType : aliased VkStructureType; -- vulkan_core.h:4408
pNext : System.Address; -- vulkan_core.h:4409
image : VkImage; -- vulkan_core.h:4410
end record;
pragma Convention (C_Pass_By_Copy, VkImageSparseMemoryRequirementsInfo2); -- vulkan_core.h:4407
type VkMemoryRequirements2 is record
sType : aliased VkStructureType; -- vulkan_core.h:4414
pNext : System.Address; -- vulkan_core.h:4415
memoryRequirements : aliased VkMemoryRequirements; -- vulkan_core.h:4416
end record;
pragma Convention (C_Pass_By_Copy, VkMemoryRequirements2); -- vulkan_core.h:4413
type VkSparseImageMemoryRequirements2 is record
sType : aliased VkStructureType; -- vulkan_core.h:4420
pNext : System.Address; -- vulkan_core.h:4421
memoryRequirements : aliased VkSparseImageMemoryRequirements; -- vulkan_core.h:4422
end record;
pragma Convention (C_Pass_By_Copy, VkSparseImageMemoryRequirements2); -- vulkan_core.h:4419
type VkPhysicalDeviceFeatures2 is record
sType : aliased VkStructureType; -- vulkan_core.h:4426
pNext : System.Address; -- vulkan_core.h:4427
features : aliased VkPhysicalDeviceFeatures; -- vulkan_core.h:4428
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceFeatures2); -- vulkan_core.h:4425
type VkPhysicalDeviceProperties2 is record
sType : aliased VkStructureType; -- vulkan_core.h:4432
pNext : System.Address; -- vulkan_core.h:4433
properties : aliased VkPhysicalDeviceProperties; -- vulkan_core.h:4434
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceProperties2); -- vulkan_core.h:4431
type VkFormatProperties2 is record
sType : aliased VkStructureType; -- vulkan_core.h:4438
pNext : System.Address; -- vulkan_core.h:4439
formatProperties : aliased VkFormatProperties; -- vulkan_core.h:4440
end record;
pragma Convention (C_Pass_By_Copy, VkFormatProperties2); -- vulkan_core.h:4437
type VkImageFormatProperties2 is record
sType : aliased VkStructureType; -- vulkan_core.h:4444
pNext : System.Address; -- vulkan_core.h:4445
imageFormatProperties : aliased VkImageFormatProperties; -- vulkan_core.h:4446
end record;
pragma Convention (C_Pass_By_Copy, VkImageFormatProperties2); -- vulkan_core.h:4443
type VkPhysicalDeviceImageFormatInfo2 is record
sType : aliased VkStructureType; -- vulkan_core.h:4450
pNext : System.Address; -- vulkan_core.h:4451
format : aliased VkFormat; -- vulkan_core.h:4452
c_type : aliased VkImageType; -- vulkan_core.h:4453
tiling : aliased VkImageTiling; -- vulkan_core.h:4454
usage : aliased VkImageUsageFlags; -- vulkan_core.h:4455
flags : aliased VkImageCreateFlags; -- vulkan_core.h:4456
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceImageFormatInfo2); -- vulkan_core.h:4449
type VkQueueFamilyProperties2 is record
sType : aliased VkStructureType; -- vulkan_core.h:4460
pNext : System.Address; -- vulkan_core.h:4461
queueFamilyProperties : aliased VkQueueFamilyProperties; -- vulkan_core.h:4462
end record;
pragma Convention (C_Pass_By_Copy, VkQueueFamilyProperties2); -- vulkan_core.h:4459
type VkPhysicalDeviceMemoryProperties2 is record
sType : aliased VkStructureType; -- vulkan_core.h:4466
pNext : System.Address; -- vulkan_core.h:4467
memoryProperties : aliased VkPhysicalDeviceMemoryProperties; -- vulkan_core.h:4468
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceMemoryProperties2); -- vulkan_core.h:4465
type VkSparseImageFormatProperties2 is record
sType : aliased VkStructureType; -- vulkan_core.h:4472
pNext : System.Address; -- vulkan_core.h:4473
properties : aliased VkSparseImageFormatProperties; -- vulkan_core.h:4474
end record;
pragma Convention (C_Pass_By_Copy, VkSparseImageFormatProperties2); -- vulkan_core.h:4471
type VkPhysicalDeviceSparseImageFormatInfo2 is record
sType : aliased VkStructureType; -- vulkan_core.h:4478
pNext : System.Address; -- vulkan_core.h:4479
format : aliased VkFormat; -- vulkan_core.h:4480
c_type : aliased VkImageType; -- vulkan_core.h:4481
samples : aliased VkSampleCountFlagBits; -- vulkan_core.h:4482
usage : aliased VkImageUsageFlags; -- vulkan_core.h:4483
tiling : aliased VkImageTiling; -- vulkan_core.h:4484
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceSparseImageFormatInfo2); -- vulkan_core.h:4477
type VkPhysicalDevicePointClippingProperties is record
sType : aliased VkStructureType; -- vulkan_core.h:4488
pNext : System.Address; -- vulkan_core.h:4489
pointClippingBehavior : aliased VkPointClippingBehavior; -- vulkan_core.h:4490
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDevicePointClippingProperties); -- vulkan_core.h:4487
type VkInputAttachmentAspectReference is record
subpass : aliased stdint_h.uint32_t; -- vulkan_core.h:4494
inputAttachmentIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:4495
aspectMask : aliased VkImageAspectFlags; -- vulkan_core.h:4496
end record;
pragma Convention (C_Pass_By_Copy, VkInputAttachmentAspectReference); -- vulkan_core.h:4493
type VkRenderPassInputAttachmentAspectCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:4500
pNext : System.Address; -- vulkan_core.h:4501
aspectReferenceCount : aliased stdint_h.uint32_t; -- vulkan_core.h:4502
pAspectReferences : System.Address; -- vulkan_core.h:4503
end record;
pragma Convention (C_Pass_By_Copy, VkRenderPassInputAttachmentAspectCreateInfo); -- vulkan_core.h:4499
type VkImageViewUsageCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:4507
pNext : System.Address; -- vulkan_core.h:4508
usage : aliased VkImageUsageFlags; -- vulkan_core.h:4509
end record;
pragma Convention (C_Pass_By_Copy, VkImageViewUsageCreateInfo); -- vulkan_core.h:4506
type VkPipelineTessellationDomainOriginStateCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:4513
pNext : System.Address; -- vulkan_core.h:4514
domainOrigin : aliased VkTessellationDomainOrigin; -- vulkan_core.h:4515
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineTessellationDomainOriginStateCreateInfo); -- vulkan_core.h:4512
type VkRenderPassMultiviewCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:4519
pNext : System.Address; -- vulkan_core.h:4520
subpassCount : aliased stdint_h.uint32_t; -- vulkan_core.h:4521
pViewMasks : access stdint_h.uint32_t; -- vulkan_core.h:4522
dependencyCount : aliased stdint_h.uint32_t; -- vulkan_core.h:4523
pViewOffsets : access stdint_h.int32_t; -- vulkan_core.h:4524
correlationMaskCount : aliased stdint_h.uint32_t; -- vulkan_core.h:4525
pCorrelationMasks : access stdint_h.uint32_t; -- vulkan_core.h:4526
end record;
pragma Convention (C_Pass_By_Copy, VkRenderPassMultiviewCreateInfo); -- vulkan_core.h:4518
type VkPhysicalDeviceMultiviewFeatures is record
sType : aliased VkStructureType; -- vulkan_core.h:4530
pNext : System.Address; -- vulkan_core.h:4531
multiview : aliased VkBool32; -- vulkan_core.h:4532
multiviewGeometryShader : aliased VkBool32; -- vulkan_core.h:4533
multiviewTessellationShader : aliased VkBool32; -- vulkan_core.h:4534
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceMultiviewFeatures); -- vulkan_core.h:4529
type VkPhysicalDeviceMultiviewProperties is record
sType : aliased VkStructureType; -- vulkan_core.h:4538
pNext : System.Address; -- vulkan_core.h:4539
maxMultiviewViewCount : aliased stdint_h.uint32_t; -- vulkan_core.h:4540
maxMultiviewInstanceIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:4541
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceMultiviewProperties); -- vulkan_core.h:4537
type VkPhysicalDeviceVariablePointersFeatures is record
sType : aliased VkStructureType; -- vulkan_core.h:4545
pNext : System.Address; -- vulkan_core.h:4546
variablePointersStorageBuffer : aliased VkBool32; -- vulkan_core.h:4547
variablePointers : aliased VkBool32; -- vulkan_core.h:4548
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceVariablePointersFeatures); -- vulkan_core.h:4544
subtype VkPhysicalDeviceVariablePointerFeatures is VkPhysicalDeviceVariablePointersFeatures;
type VkPhysicalDeviceProtectedMemoryFeatures is record
sType : aliased VkStructureType; -- vulkan_core.h:4554
pNext : System.Address; -- vulkan_core.h:4555
protectedMemory : aliased VkBool32; -- vulkan_core.h:4556
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceProtectedMemoryFeatures); -- vulkan_core.h:4553
type VkPhysicalDeviceProtectedMemoryProperties is record
sType : aliased VkStructureType; -- vulkan_core.h:4560
pNext : System.Address; -- vulkan_core.h:4561
protectedNoFault : aliased VkBool32; -- vulkan_core.h:4562
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceProtectedMemoryProperties); -- vulkan_core.h:4559
type VkDeviceQueueInfo2 is record
sType : aliased VkStructureType; -- vulkan_core.h:4566
pNext : System.Address; -- vulkan_core.h:4567
flags : aliased VkDeviceQueueCreateFlags; -- vulkan_core.h:4568
queueFamilyIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:4569
queueIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:4570
end record;
pragma Convention (C_Pass_By_Copy, VkDeviceQueueInfo2); -- vulkan_core.h:4565
type VkProtectedSubmitInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:4574
pNext : System.Address; -- vulkan_core.h:4575
protectedSubmit : aliased VkBool32; -- vulkan_core.h:4576
end record;
pragma Convention (C_Pass_By_Copy, VkProtectedSubmitInfo); -- vulkan_core.h:4573
type VkSamplerYcbcrConversionCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:4580
pNext : System.Address; -- vulkan_core.h:4581
format : aliased VkFormat; -- vulkan_core.h:4582
ycbcrModel : aliased VkSamplerYcbcrModelConversion; -- vulkan_core.h:4583
ycbcrRange : aliased VkSamplerYcbcrRange; -- vulkan_core.h:4584
components : aliased VkComponentMapping; -- vulkan_core.h:4585
xChromaOffset : aliased VkChromaLocation; -- vulkan_core.h:4586
yChromaOffset : aliased VkChromaLocation; -- vulkan_core.h:4587
chromaFilter : aliased VkFilter; -- vulkan_core.h:4588
forceExplicitReconstruction : aliased VkBool32; -- vulkan_core.h:4589
end record;
pragma Convention (C_Pass_By_Copy, VkSamplerYcbcrConversionCreateInfo); -- vulkan_core.h:4579
type VkSamplerYcbcrConversionInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:4593
pNext : System.Address; -- vulkan_core.h:4594
conversion : VkSamplerYcbcrConversion; -- vulkan_core.h:4595
end record;
pragma Convention (C_Pass_By_Copy, VkSamplerYcbcrConversionInfo); -- vulkan_core.h:4592
type VkBindImagePlaneMemoryInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:4599
pNext : System.Address; -- vulkan_core.h:4600
planeAspect : aliased VkImageAspectFlagBits; -- vulkan_core.h:4601
end record;
pragma Convention (C_Pass_By_Copy, VkBindImagePlaneMemoryInfo); -- vulkan_core.h:4598
type VkImagePlaneMemoryRequirementsInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:4605
pNext : System.Address; -- vulkan_core.h:4606
planeAspect : aliased VkImageAspectFlagBits; -- vulkan_core.h:4607
end record;
pragma Convention (C_Pass_By_Copy, VkImagePlaneMemoryRequirementsInfo); -- vulkan_core.h:4604
type VkPhysicalDeviceSamplerYcbcrConversionFeatures is record
sType : aliased VkStructureType; -- vulkan_core.h:4611
pNext : System.Address; -- vulkan_core.h:4612
samplerYcbcrConversion : aliased VkBool32; -- vulkan_core.h:4613
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceSamplerYcbcrConversionFeatures); -- vulkan_core.h:4610
type VkSamplerYcbcrConversionImageFormatProperties is record
sType : aliased VkStructureType; -- vulkan_core.h:4617
pNext : System.Address; -- vulkan_core.h:4618
combinedImageSamplerDescriptorCount : aliased stdint_h.uint32_t; -- vulkan_core.h:4619
end record;
pragma Convention (C_Pass_By_Copy, VkSamplerYcbcrConversionImageFormatProperties); -- vulkan_core.h:4616
type VkDescriptorUpdateTemplateEntry is record
dstBinding : aliased stdint_h.uint32_t; -- vulkan_core.h:4623
dstArrayElement : aliased stdint_h.uint32_t; -- vulkan_core.h:4624
descriptorCount : aliased stdint_h.uint32_t; -- vulkan_core.h:4625
descriptorType : aliased VkDescriptorType; -- vulkan_core.h:4626
offset : aliased crtdefs_h.size_t; -- vulkan_core.h:4627
stride : aliased crtdefs_h.size_t; -- vulkan_core.h:4628
end record;
pragma Convention (C_Pass_By_Copy, VkDescriptorUpdateTemplateEntry); -- vulkan_core.h:4622
type VkDescriptorUpdateTemplateCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:4632
pNext : System.Address; -- vulkan_core.h:4633
flags : aliased VkDescriptorUpdateTemplateCreateFlags; -- vulkan_core.h:4634
descriptorUpdateEntryCount : aliased stdint_h.uint32_t; -- vulkan_core.h:4635
pDescriptorUpdateEntries : System.Address; -- vulkan_core.h:4636
templateType : aliased VkDescriptorUpdateTemplateType; -- vulkan_core.h:4637
descriptorSetLayout : VkDescriptorSetLayout; -- vulkan_core.h:4638
pipelineBindPoint : aliased VkPipelineBindPoint; -- vulkan_core.h:4639
pipelineLayout : VkPipelineLayout; -- vulkan_core.h:4640
set : aliased stdint_h.uint32_t; -- vulkan_core.h:4641
end record;
pragma Convention (C_Pass_By_Copy, VkDescriptorUpdateTemplateCreateInfo); -- vulkan_core.h:4631
type VkExternalMemoryProperties is record
externalMemoryFeatures : aliased VkExternalMemoryFeatureFlags; -- vulkan_core.h:4645
exportFromImportedHandleTypes : aliased VkExternalMemoryHandleTypeFlags; -- vulkan_core.h:4646
compatibleHandleTypes : aliased VkExternalMemoryHandleTypeFlags; -- vulkan_core.h:4647
end record;
pragma Convention (C_Pass_By_Copy, VkExternalMemoryProperties); -- vulkan_core.h:4644
type VkPhysicalDeviceExternalImageFormatInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:4651
pNext : System.Address; -- vulkan_core.h:4652
handleType : aliased VkExternalMemoryHandleTypeFlagBits; -- vulkan_core.h:4653
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceExternalImageFormatInfo); -- vulkan_core.h:4650
type VkExternalImageFormatProperties is record
sType : aliased VkStructureType; -- vulkan_core.h:4657
pNext : System.Address; -- vulkan_core.h:4658
externalMemoryProperties : aliased VkExternalMemoryProperties; -- vulkan_core.h:4659
end record;
pragma Convention (C_Pass_By_Copy, VkExternalImageFormatProperties); -- vulkan_core.h:4656
type VkPhysicalDeviceExternalBufferInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:4663
pNext : System.Address; -- vulkan_core.h:4664
flags : aliased VkBufferCreateFlags; -- vulkan_core.h:4665
usage : aliased VkBufferUsageFlags; -- vulkan_core.h:4666
handleType : aliased VkExternalMemoryHandleTypeFlagBits; -- vulkan_core.h:4667
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceExternalBufferInfo); -- vulkan_core.h:4662
type VkExternalBufferProperties is record
sType : aliased VkStructureType; -- vulkan_core.h:4671
pNext : System.Address; -- vulkan_core.h:4672
externalMemoryProperties : aliased VkExternalMemoryProperties; -- vulkan_core.h:4673
end record;
pragma Convention (C_Pass_By_Copy, VkExternalBufferProperties); -- vulkan_core.h:4670
type VkPhysicalDeviceIDProperties_deviceUUID_array is array (0 .. 15) of aliased stdint_h.uint8_t;
type VkPhysicalDeviceIDProperties_driverUUID_array is array (0 .. 15) of aliased stdint_h.uint8_t;
type VkPhysicalDeviceIDProperties_deviceLUID_array is array (0 .. 7) of aliased stdint_h.uint8_t;
type VkPhysicalDeviceIDProperties is record
sType : aliased VkStructureType; -- vulkan_core.h:4677
pNext : System.Address; -- vulkan_core.h:4678
deviceUUID : aliased VkPhysicalDeviceIDProperties_deviceUUID_array; -- vulkan_core.h:4679
driverUUID : aliased VkPhysicalDeviceIDProperties_driverUUID_array; -- vulkan_core.h:4680
deviceLUID : aliased VkPhysicalDeviceIDProperties_deviceLUID_array; -- vulkan_core.h:4681
deviceNodeMask : aliased stdint_h.uint32_t; -- vulkan_core.h:4682
deviceLUIDValid : aliased VkBool32; -- vulkan_core.h:4683
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceIDProperties); -- vulkan_core.h:4676
type VkExternalMemoryImageCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:4687
pNext : System.Address; -- vulkan_core.h:4688
handleTypes : aliased VkExternalMemoryHandleTypeFlags; -- vulkan_core.h:4689
end record;
pragma Convention (C_Pass_By_Copy, VkExternalMemoryImageCreateInfo); -- vulkan_core.h:4686
type VkExternalMemoryBufferCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:4693
pNext : System.Address; -- vulkan_core.h:4694
handleTypes : aliased VkExternalMemoryHandleTypeFlags; -- vulkan_core.h:4695
end record;
pragma Convention (C_Pass_By_Copy, VkExternalMemoryBufferCreateInfo); -- vulkan_core.h:4692
type VkExportMemoryAllocateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:4699
pNext : System.Address; -- vulkan_core.h:4700
handleTypes : aliased VkExternalMemoryHandleTypeFlags; -- vulkan_core.h:4701
end record;
pragma Convention (C_Pass_By_Copy, VkExportMemoryAllocateInfo); -- vulkan_core.h:4698
type VkPhysicalDeviceExternalFenceInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:4705
pNext : System.Address; -- vulkan_core.h:4706
handleType : aliased VkExternalFenceHandleTypeFlagBits; -- vulkan_core.h:4707
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceExternalFenceInfo); -- vulkan_core.h:4704
type VkExternalFenceProperties is record
sType : aliased VkStructureType; -- vulkan_core.h:4711
pNext : System.Address; -- vulkan_core.h:4712
exportFromImportedHandleTypes : aliased VkExternalFenceHandleTypeFlags; -- vulkan_core.h:4713
compatibleHandleTypes : aliased VkExternalFenceHandleTypeFlags; -- vulkan_core.h:4714
externalFenceFeatures : aliased VkExternalFenceFeatureFlags; -- vulkan_core.h:4715
end record;
pragma Convention (C_Pass_By_Copy, VkExternalFenceProperties); -- vulkan_core.h:4710
type VkExportFenceCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:4719
pNext : System.Address; -- vulkan_core.h:4720
handleTypes : aliased VkExternalFenceHandleTypeFlags; -- vulkan_core.h:4721
end record;
pragma Convention (C_Pass_By_Copy, VkExportFenceCreateInfo); -- vulkan_core.h:4718
type VkExportSemaphoreCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:4725
pNext : System.Address; -- vulkan_core.h:4726
handleTypes : aliased VkExternalSemaphoreHandleTypeFlags; -- vulkan_core.h:4727
end record;
pragma Convention (C_Pass_By_Copy, VkExportSemaphoreCreateInfo); -- vulkan_core.h:4724
type VkPhysicalDeviceExternalSemaphoreInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:4731
pNext : System.Address; -- vulkan_core.h:4732
handleType : aliased VkExternalSemaphoreHandleTypeFlagBits; -- vulkan_core.h:4733
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceExternalSemaphoreInfo); -- vulkan_core.h:4730
type VkExternalSemaphoreProperties is record
sType : aliased VkStructureType; -- vulkan_core.h:4737
pNext : System.Address; -- vulkan_core.h:4738
exportFromImportedHandleTypes : aliased VkExternalSemaphoreHandleTypeFlags; -- vulkan_core.h:4739
compatibleHandleTypes : aliased VkExternalSemaphoreHandleTypeFlags; -- vulkan_core.h:4740
externalSemaphoreFeatures : aliased VkExternalSemaphoreFeatureFlags; -- vulkan_core.h:4741
end record;
pragma Convention (C_Pass_By_Copy, VkExternalSemaphoreProperties); -- vulkan_core.h:4736
type VkPhysicalDeviceMaintenance3Properties is record
sType : aliased VkStructureType; -- vulkan_core.h:4745
pNext : System.Address; -- vulkan_core.h:4746
maxPerSetDescriptors : aliased stdint_h.uint32_t; -- vulkan_core.h:4747
maxMemoryAllocationSize : aliased VkDeviceSize; -- vulkan_core.h:4748
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceMaintenance3Properties); -- vulkan_core.h:4744
type VkDescriptorSetLayoutSupport is record
sType : aliased VkStructureType; -- vulkan_core.h:4752
pNext : System.Address; -- vulkan_core.h:4753
supported : aliased VkBool32; -- vulkan_core.h:4754
end record;
pragma Convention (C_Pass_By_Copy, VkDescriptorSetLayoutSupport); -- vulkan_core.h:4751
type VkPhysicalDeviceShaderDrawParametersFeatures is record
sType : aliased VkStructureType; -- vulkan_core.h:4758
pNext : System.Address; -- vulkan_core.h:4759
shaderDrawParameters : aliased VkBool32; -- vulkan_core.h:4760
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceShaderDrawParametersFeatures); -- vulkan_core.h:4757
subtype VkPhysicalDeviceShaderDrawParameterFeatures is VkPhysicalDeviceShaderDrawParametersFeatures;
type PFN_vkEnumerateInstanceVersion is access function (arg1 : access stdint_h.uint32_t) return VkResult;
pragma Convention (C, PFN_vkEnumerateInstanceVersion); -- vulkan_core.h:4765
type PFN_vkBindBufferMemory2 is access function
(arg1 : VkDevice;
arg2 : stdint_h.uint32_t;
arg3 : System.Address) return VkResult;
pragma Convention (C, PFN_vkBindBufferMemory2); -- vulkan_core.h:4766
type PFN_vkBindImageMemory2 is access function
(arg1 : VkDevice;
arg2 : stdint_h.uint32_t;
arg3 : System.Address) return VkResult;
pragma Convention (C, PFN_vkBindImageMemory2); -- vulkan_core.h:4767
type PFN_vkGetDeviceGroupPeerMemoryFeatures is access procedure
(arg1 : VkDevice;
arg2 : stdint_h.uint32_t;
arg3 : stdint_h.uint32_t;
arg4 : stdint_h.uint32_t;
arg5 : access VkPeerMemoryFeatureFlags);
pragma Convention (C, PFN_vkGetDeviceGroupPeerMemoryFeatures); -- vulkan_core.h:4768
type PFN_vkCmdSetDeviceMask is access procedure (arg1 : VkCommandBuffer; arg2 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdSetDeviceMask); -- vulkan_core.h:4769
type PFN_vkCmdDispatchBase is access procedure
(arg1 : VkCommandBuffer;
arg2 : stdint_h.uint32_t;
arg3 : stdint_h.uint32_t;
arg4 : stdint_h.uint32_t;
arg5 : stdint_h.uint32_t;
arg6 : stdint_h.uint32_t;
arg7 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdDispatchBase); -- vulkan_core.h:4770
type PFN_vkEnumeratePhysicalDeviceGroups is access function
(arg1 : VkInstance;
arg2 : access stdint_h.uint32_t;
arg3 : access VkPhysicalDeviceGroupProperties) return VkResult;
pragma Convention (C, PFN_vkEnumeratePhysicalDeviceGroups); -- vulkan_core.h:4771
type PFN_vkGetImageMemoryRequirements2 is access procedure
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : access VkMemoryRequirements2);
pragma Convention (C, PFN_vkGetImageMemoryRequirements2); -- vulkan_core.h:4772
type PFN_vkGetBufferMemoryRequirements2 is access procedure
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : access VkMemoryRequirements2);
pragma Convention (C, PFN_vkGetBufferMemoryRequirements2); -- vulkan_core.h:4773
type PFN_vkGetImageSparseMemoryRequirements2 is access procedure
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : access stdint_h.uint32_t;
arg4 : access VkSparseImageMemoryRequirements2);
pragma Convention (C, PFN_vkGetImageSparseMemoryRequirements2); -- vulkan_core.h:4774
type PFN_vkGetPhysicalDeviceFeatures2 is access procedure (arg1 : VkPhysicalDevice; arg2 : access VkPhysicalDeviceFeatures2);
pragma Convention (C, PFN_vkGetPhysicalDeviceFeatures2); -- vulkan_core.h:4775
type PFN_vkGetPhysicalDeviceProperties2 is access procedure (arg1 : VkPhysicalDevice; arg2 : access VkPhysicalDeviceProperties2);
pragma Convention (C, PFN_vkGetPhysicalDeviceProperties2); -- vulkan_core.h:4776
type PFN_vkGetPhysicalDeviceFormatProperties2 is access procedure
(arg1 : VkPhysicalDevice;
arg2 : VkFormat;
arg3 : access VkFormatProperties2);
pragma Convention (C, PFN_vkGetPhysicalDeviceFormatProperties2); -- vulkan_core.h:4777
type PFN_vkGetPhysicalDeviceImageFormatProperties2 is access function
(arg1 : VkPhysicalDevice;
arg2 : System.Address;
arg3 : access VkImageFormatProperties2) return VkResult;
pragma Convention (C, PFN_vkGetPhysicalDeviceImageFormatProperties2); -- vulkan_core.h:4778
type PFN_vkGetPhysicalDeviceQueueFamilyProperties2 is access procedure
(arg1 : VkPhysicalDevice;
arg2 : access stdint_h.uint32_t;
arg3 : access VkQueueFamilyProperties2);
pragma Convention (C, PFN_vkGetPhysicalDeviceQueueFamilyProperties2); -- vulkan_core.h:4779
type PFN_vkGetPhysicalDeviceMemoryProperties2 is access procedure (arg1 : VkPhysicalDevice; arg2 : access VkPhysicalDeviceMemoryProperties2);
pragma Convention (C, PFN_vkGetPhysicalDeviceMemoryProperties2); -- vulkan_core.h:4780
type PFN_vkGetPhysicalDeviceSparseImageFormatProperties2 is access procedure
(arg1 : VkPhysicalDevice;
arg2 : System.Address;
arg3 : access stdint_h.uint32_t;
arg4 : access VkSparseImageFormatProperties2);
pragma Convention (C, PFN_vkGetPhysicalDeviceSparseImageFormatProperties2); -- vulkan_core.h:4781
type PFN_vkTrimCommandPool is access procedure
(arg1 : VkDevice;
arg2 : VkCommandPool;
arg3 : VkCommandPoolTrimFlags);
pragma Convention (C, PFN_vkTrimCommandPool); -- vulkan_core.h:4782
type PFN_vkGetDeviceQueue2 is access procedure
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address);
pragma Convention (C, PFN_vkGetDeviceQueue2); -- vulkan_core.h:4783
type PFN_vkCreateSamplerYcbcrConversion is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateSamplerYcbcrConversion); -- vulkan_core.h:4784
type PFN_vkDestroySamplerYcbcrConversion is access procedure
(arg1 : VkDevice;
arg2 : VkSamplerYcbcrConversion;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroySamplerYcbcrConversion); -- vulkan_core.h:4785
type PFN_vkCreateDescriptorUpdateTemplate is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateDescriptorUpdateTemplate); -- vulkan_core.h:4786
type PFN_vkDestroyDescriptorUpdateTemplate is access procedure
(arg1 : VkDevice;
arg2 : VkDescriptorUpdateTemplate;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroyDescriptorUpdateTemplate); -- vulkan_core.h:4787
type PFN_vkUpdateDescriptorSetWithTemplate is access procedure
(arg1 : VkDevice;
arg2 : VkDescriptorSet;
arg3 : VkDescriptorUpdateTemplate;
arg4 : System.Address);
pragma Convention (C, PFN_vkUpdateDescriptorSetWithTemplate); -- vulkan_core.h:4788
type PFN_vkGetPhysicalDeviceExternalBufferProperties is access procedure
(arg1 : VkPhysicalDevice;
arg2 : System.Address;
arg3 : access VkExternalBufferProperties);
pragma Convention (C, PFN_vkGetPhysicalDeviceExternalBufferProperties); -- vulkan_core.h:4789
type PFN_vkGetPhysicalDeviceExternalFenceProperties is access procedure
(arg1 : VkPhysicalDevice;
arg2 : System.Address;
arg3 : access VkExternalFenceProperties);
pragma Convention (C, PFN_vkGetPhysicalDeviceExternalFenceProperties); -- vulkan_core.h:4790
type PFN_vkGetPhysicalDeviceExternalSemaphoreProperties is access procedure
(arg1 : VkPhysicalDevice;
arg2 : System.Address;
arg3 : access VkExternalSemaphoreProperties);
pragma Convention (C, PFN_vkGetPhysicalDeviceExternalSemaphoreProperties); -- vulkan_core.h:4791
type PFN_vkGetDescriptorSetLayoutSupport is access procedure
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : access VkDescriptorSetLayoutSupport);
pragma Convention (C, PFN_vkGetDescriptorSetLayoutSupport); -- vulkan_core.h:4792
function vkEnumerateInstanceVersion (pApiVersion : access stdint_h.uint32_t) return VkResult; -- vulkan_core.h:4795
pragma Import (C, vkEnumerateInstanceVersion, "vkEnumerateInstanceVersion");
function vkBindBufferMemory2
(device : VkDevice;
bindInfoCount : stdint_h.uint32_t;
pBindInfos : System.Address) return VkResult; -- vulkan_core.h:4798
pragma Import (C, vkBindBufferMemory2, "vkBindBufferMemory2");
function vkBindImageMemory2
(device : VkDevice;
bindInfoCount : stdint_h.uint32_t;
pBindInfos : System.Address) return VkResult; -- vulkan_core.h:4803
pragma Import (C, vkBindImageMemory2, "vkBindImageMemory2");
procedure vkGetDeviceGroupPeerMemoryFeatures
(device : VkDevice;
heapIndex : stdint_h.uint32_t;
localDeviceIndex : stdint_h.uint32_t;
remoteDeviceIndex : stdint_h.uint32_t;
pPeerMemoryFeatures : access VkPeerMemoryFeatureFlags); -- vulkan_core.h:4808
pragma Import (C, vkGetDeviceGroupPeerMemoryFeatures, "vkGetDeviceGroupPeerMemoryFeatures");
procedure vkCmdSetDeviceMask (commandBuffer : VkCommandBuffer; deviceMask : stdint_h.uint32_t); -- vulkan_core.h:4815
pragma Import (C, vkCmdSetDeviceMask, "vkCmdSetDeviceMask");
procedure vkCmdDispatchBase
(commandBuffer : VkCommandBuffer;
baseGroupX : stdint_h.uint32_t;
baseGroupY : stdint_h.uint32_t;
baseGroupZ : stdint_h.uint32_t;
groupCountX : stdint_h.uint32_t;
groupCountY : stdint_h.uint32_t;
groupCountZ : stdint_h.uint32_t); -- vulkan_core.h:4819
pragma Import (C, vkCmdDispatchBase, "vkCmdDispatchBase");
function vkEnumeratePhysicalDeviceGroups
(instance : VkInstance;
pPhysicalDeviceGroupCount : access stdint_h.uint32_t;
pPhysicalDeviceGroupProperties : access VkPhysicalDeviceGroupProperties) return VkResult; -- vulkan_core.h:4828
pragma Import (C, vkEnumeratePhysicalDeviceGroups, "vkEnumeratePhysicalDeviceGroups");
procedure vkGetImageMemoryRequirements2
(device : VkDevice;
pInfo : System.Address;
pMemoryRequirements : access VkMemoryRequirements2); -- vulkan_core.h:4833
pragma Import (C, vkGetImageMemoryRequirements2, "vkGetImageMemoryRequirements2");
procedure vkGetBufferMemoryRequirements2
(device : VkDevice;
pInfo : System.Address;
pMemoryRequirements : access VkMemoryRequirements2); -- vulkan_core.h:4838
pragma Import (C, vkGetBufferMemoryRequirements2, "vkGetBufferMemoryRequirements2");
procedure vkGetImageSparseMemoryRequirements2
(device : VkDevice;
pInfo : System.Address;
pSparseMemoryRequirementCount : access stdint_h.uint32_t;
pSparseMemoryRequirements : access VkSparseImageMemoryRequirements2); -- vulkan_core.h:4843
pragma Import (C, vkGetImageSparseMemoryRequirements2, "vkGetImageSparseMemoryRequirements2");
procedure vkGetPhysicalDeviceFeatures2 (physicalDevice : VkPhysicalDevice; pFeatures : access VkPhysicalDeviceFeatures2); -- vulkan_core.h:4849
pragma Import (C, vkGetPhysicalDeviceFeatures2, "vkGetPhysicalDeviceFeatures2");
procedure vkGetPhysicalDeviceProperties2 (physicalDevice : VkPhysicalDevice; pProperties : access VkPhysicalDeviceProperties2); -- vulkan_core.h:4853
pragma Import (C, vkGetPhysicalDeviceProperties2, "vkGetPhysicalDeviceProperties2");
procedure vkGetPhysicalDeviceFormatProperties2
(physicalDevice : VkPhysicalDevice;
format : VkFormat;
pFormatProperties : access VkFormatProperties2); -- vulkan_core.h:4857
pragma Import (C, vkGetPhysicalDeviceFormatProperties2, "vkGetPhysicalDeviceFormatProperties2");
function vkGetPhysicalDeviceImageFormatProperties2
(physicalDevice : VkPhysicalDevice;
pImageFormatInfo : System.Address;
pImageFormatProperties : access VkImageFormatProperties2) return VkResult; -- vulkan_core.h:4862
pragma Import (C, vkGetPhysicalDeviceImageFormatProperties2, "vkGetPhysicalDeviceImageFormatProperties2");
procedure vkGetPhysicalDeviceQueueFamilyProperties2
(physicalDevice : VkPhysicalDevice;
pQueueFamilyPropertyCount : access stdint_h.uint32_t;
pQueueFamilyProperties : access VkQueueFamilyProperties2); -- vulkan_core.h:4867
pragma Import (C, vkGetPhysicalDeviceQueueFamilyProperties2, "vkGetPhysicalDeviceQueueFamilyProperties2");
procedure vkGetPhysicalDeviceMemoryProperties2 (physicalDevice : VkPhysicalDevice; pMemoryProperties : access VkPhysicalDeviceMemoryProperties2); -- vulkan_core.h:4872
pragma Import (C, vkGetPhysicalDeviceMemoryProperties2, "vkGetPhysicalDeviceMemoryProperties2");
procedure vkGetPhysicalDeviceSparseImageFormatProperties2
(physicalDevice : VkPhysicalDevice;
pFormatInfo : System.Address;
pPropertyCount : access stdint_h.uint32_t;
pProperties : access VkSparseImageFormatProperties2); -- vulkan_core.h:4876
pragma Import (C, vkGetPhysicalDeviceSparseImageFormatProperties2, "vkGetPhysicalDeviceSparseImageFormatProperties2");
procedure vkTrimCommandPool
(device : VkDevice;
commandPool : VkCommandPool;
flags : VkCommandPoolTrimFlags); -- vulkan_core.h:4882
pragma Import (C, vkTrimCommandPool, "vkTrimCommandPool");
procedure vkGetDeviceQueue2
(device : VkDevice;
pQueueInfo : System.Address;
pQueue : System.Address); -- vulkan_core.h:4887
pragma Import (C, vkGetDeviceQueue2, "vkGetDeviceQueue2");
function vkCreateSamplerYcbcrConversion
(device : VkDevice;
pCreateInfo : System.Address;
pAllocator : System.Address;
pYcbcrConversion : System.Address) return VkResult; -- vulkan_core.h:4892
pragma Import (C, vkCreateSamplerYcbcrConversion, "vkCreateSamplerYcbcrConversion");
procedure vkDestroySamplerYcbcrConversion
(device : VkDevice;
ycbcrConversion : VkSamplerYcbcrConversion;
pAllocator : System.Address); -- vulkan_core.h:4898
pragma Import (C, vkDestroySamplerYcbcrConversion, "vkDestroySamplerYcbcrConversion");
function vkCreateDescriptorUpdateTemplate
(device : VkDevice;
pCreateInfo : System.Address;
pAllocator : System.Address;
pDescriptorUpdateTemplate : System.Address) return VkResult; -- vulkan_core.h:4903
pragma Import (C, vkCreateDescriptorUpdateTemplate, "vkCreateDescriptorUpdateTemplate");
procedure vkDestroyDescriptorUpdateTemplate
(device : VkDevice;
descriptorUpdateTemplate : VkDescriptorUpdateTemplate;
pAllocator : System.Address); -- vulkan_core.h:4909
pragma Import (C, vkDestroyDescriptorUpdateTemplate, "vkDestroyDescriptorUpdateTemplate");
procedure vkUpdateDescriptorSetWithTemplate
(device : VkDevice;
descriptorSet : VkDescriptorSet;
descriptorUpdateTemplate : VkDescriptorUpdateTemplate;
pData : System.Address); -- vulkan_core.h:4914
pragma Import (C, vkUpdateDescriptorSetWithTemplate, "vkUpdateDescriptorSetWithTemplate");
procedure vkGetPhysicalDeviceExternalBufferProperties
(physicalDevice : VkPhysicalDevice;
pExternalBufferInfo : System.Address;
pExternalBufferProperties : access VkExternalBufferProperties); -- vulkan_core.h:4920
pragma Import (C, vkGetPhysicalDeviceExternalBufferProperties, "vkGetPhysicalDeviceExternalBufferProperties");
procedure vkGetPhysicalDeviceExternalFenceProperties
(physicalDevice : VkPhysicalDevice;
pExternalFenceInfo : System.Address;
pExternalFenceProperties : access VkExternalFenceProperties); -- vulkan_core.h:4925
pragma Import (C, vkGetPhysicalDeviceExternalFenceProperties, "vkGetPhysicalDeviceExternalFenceProperties");
procedure vkGetPhysicalDeviceExternalSemaphoreProperties
(physicalDevice : VkPhysicalDevice;
pExternalSemaphoreInfo : System.Address;
pExternalSemaphoreProperties : access VkExternalSemaphoreProperties); -- vulkan_core.h:4930
pragma Import (C, vkGetPhysicalDeviceExternalSemaphoreProperties, "vkGetPhysicalDeviceExternalSemaphoreProperties");
procedure vkGetDescriptorSetLayoutSupport
(device : VkDevice;
pCreateInfo : System.Address;
pSupport : access VkDescriptorSetLayoutSupport); -- vulkan_core.h:4935
pragma Import (C, vkGetDescriptorSetLayoutSupport, "vkGetDescriptorSetLayoutSupport");
-- Vulkan 1.2 version number
subtype VkDriverId is unsigned;
VK_DRIVER_ID_AMD_PROPRIETARY : constant VkDriverId := 1;
VK_DRIVER_ID_AMD_OPEN_SOURCE : constant VkDriverId := 2;
VK_DRIVER_ID_MESA_RADV : constant VkDriverId := 3;
VK_DRIVER_ID_NVIDIA_PROPRIETARY : constant VkDriverId := 4;
VK_DRIVER_ID_INTEL_PROPRIETARY_WINDOWS : constant VkDriverId := 5;
VK_DRIVER_ID_INTEL_OPEN_SOURCE_MESA : constant VkDriverId := 6;
VK_DRIVER_ID_IMAGINATION_PROPRIETARY : constant VkDriverId := 7;
VK_DRIVER_ID_QUALCOMM_PROPRIETARY : constant VkDriverId := 8;
VK_DRIVER_ID_ARM_PROPRIETARY : constant VkDriverId := 9;
VK_DRIVER_ID_GOOGLE_SWIFTSHADER : constant VkDriverId := 10;
VK_DRIVER_ID_GGP_PROPRIETARY : constant VkDriverId := 11;
VK_DRIVER_ID_BROADCOM_PROPRIETARY : constant VkDriverId := 12;
VK_DRIVER_ID_MESA_LLVMPIPE : constant VkDriverId := 13;
VK_DRIVER_ID_MOLTENVK : constant VkDriverId := 14;
VK_DRIVER_ID_AMD_PROPRIETARY_KHR : constant VkDriverId := 1;
VK_DRIVER_ID_AMD_OPEN_SOURCE_KHR : constant VkDriverId := 2;
VK_DRIVER_ID_MESA_RADV_KHR : constant VkDriverId := 3;
VK_DRIVER_ID_NVIDIA_PROPRIETARY_KHR : constant VkDriverId := 4;
VK_DRIVER_ID_INTEL_PROPRIETARY_WINDOWS_KHR : constant VkDriverId := 5;
VK_DRIVER_ID_INTEL_OPEN_SOURCE_MESA_KHR : constant VkDriverId := 6;
VK_DRIVER_ID_IMAGINATION_PROPRIETARY_KHR : constant VkDriverId := 7;
VK_DRIVER_ID_QUALCOMM_PROPRIETARY_KHR : constant VkDriverId := 8;
VK_DRIVER_ID_ARM_PROPRIETARY_KHR : constant VkDriverId := 9;
VK_DRIVER_ID_GOOGLE_SWIFTSHADER_KHR : constant VkDriverId := 10;
VK_DRIVER_ID_GGP_PROPRIETARY_KHR : constant VkDriverId := 11;
VK_DRIVER_ID_BROADCOM_PROPRIETARY_KHR : constant VkDriverId := 12;
VK_DRIVER_ID_MAX_ENUM : constant VkDriverId := 2147483647; -- vulkan_core.h:4949
subtype VkShaderFloatControlsIndependence is unsigned;
VK_SHADER_FLOAT_CONTROLS_INDEPENDENCE_32_BIT_ONLY : constant VkShaderFloatControlsIndependence := 0;
VK_SHADER_FLOAT_CONTROLS_INDEPENDENCE_ALL : constant VkShaderFloatControlsIndependence := 1;
VK_SHADER_FLOAT_CONTROLS_INDEPENDENCE_NONE : constant VkShaderFloatControlsIndependence := 2;
VK_SHADER_FLOAT_CONTROLS_INDEPENDENCE_32_BIT_ONLY_KHR : constant VkShaderFloatControlsIndependence := 0;
VK_SHADER_FLOAT_CONTROLS_INDEPENDENCE_ALL_KHR : constant VkShaderFloatControlsIndependence := 1;
VK_SHADER_FLOAT_CONTROLS_INDEPENDENCE_NONE_KHR : constant VkShaderFloatControlsIndependence := 2;
VK_SHADER_FLOAT_CONTROLS_INDEPENDENCE_MAX_ENUM : constant VkShaderFloatControlsIndependence := 2147483647; -- vulkan_core.h:4979
subtype VkSamplerReductionMode is unsigned;
VK_SAMPLER_REDUCTION_MODE_WEIGHTED_AVERAGE : constant VkSamplerReductionMode := 0;
VK_SAMPLER_REDUCTION_MODE_MIN : constant VkSamplerReductionMode := 1;
VK_SAMPLER_REDUCTION_MODE_MAX : constant VkSamplerReductionMode := 2;
VK_SAMPLER_REDUCTION_MODE_WEIGHTED_AVERAGE_EXT : constant VkSamplerReductionMode := 0;
VK_SAMPLER_REDUCTION_MODE_MIN_EXT : constant VkSamplerReductionMode := 1;
VK_SAMPLER_REDUCTION_MODE_MAX_EXT : constant VkSamplerReductionMode := 2;
VK_SAMPLER_REDUCTION_MODE_MAX_ENUM : constant VkSamplerReductionMode := 2147483647; -- vulkan_core.h:4989
subtype VkSemaphoreType is unsigned;
VK_SEMAPHORE_TYPE_BINARY : constant VkSemaphoreType := 0;
VK_SEMAPHORE_TYPE_TIMELINE : constant VkSemaphoreType := 1;
VK_SEMAPHORE_TYPE_BINARY_KHR : constant VkSemaphoreType := 0;
VK_SEMAPHORE_TYPE_TIMELINE_KHR : constant VkSemaphoreType := 1;
VK_SEMAPHORE_TYPE_MAX_ENUM : constant VkSemaphoreType := 2147483647; -- vulkan_core.h:4999
subtype VkResolveModeFlagBits is unsigned;
VK_RESOLVE_MODE_NONE : constant VkResolveModeFlagBits := 0;
VK_RESOLVE_MODE_SAMPLE_ZERO_BIT : constant VkResolveModeFlagBits := 1;
VK_RESOLVE_MODE_AVERAGE_BIT : constant VkResolveModeFlagBits := 2;
VK_RESOLVE_MODE_MIN_BIT : constant VkResolveModeFlagBits := 4;
VK_RESOLVE_MODE_MAX_BIT : constant VkResolveModeFlagBits := 8;
VK_RESOLVE_MODE_NONE_KHR : constant VkResolveModeFlagBits := 0;
VK_RESOLVE_MODE_SAMPLE_ZERO_BIT_KHR : constant VkResolveModeFlagBits := 1;
VK_RESOLVE_MODE_AVERAGE_BIT_KHR : constant VkResolveModeFlagBits := 2;
VK_RESOLVE_MODE_MIN_BIT_KHR : constant VkResolveModeFlagBits := 4;
VK_RESOLVE_MODE_MAX_BIT_KHR : constant VkResolveModeFlagBits := 8;
VK_RESOLVE_MODE_FLAG_BITS_MAX_ENUM : constant VkResolveModeFlagBits := 2147483647; -- vulkan_core.h:5007
subtype VkResolveModeFlags is VkFlags; -- vulkan_core.h:5020
subtype VkDescriptorBindingFlagBits is unsigned;
VK_DESCRIPTOR_BINDING_UPDATE_AFTER_BIND_BIT : constant VkDescriptorBindingFlagBits := 1;
VK_DESCRIPTOR_BINDING_UPDATE_UNUSED_WHILE_PENDING_BIT : constant VkDescriptorBindingFlagBits := 2;
VK_DESCRIPTOR_BINDING_PARTIALLY_BOUND_BIT : constant VkDescriptorBindingFlagBits := 4;
VK_DESCRIPTOR_BINDING_VARIABLE_DESCRIPTOR_COUNT_BIT : constant VkDescriptorBindingFlagBits := 8;
VK_DESCRIPTOR_BINDING_UPDATE_AFTER_BIND_BIT_EXT : constant VkDescriptorBindingFlagBits := 1;
VK_DESCRIPTOR_BINDING_UPDATE_UNUSED_WHILE_PENDING_BIT_EXT : constant VkDescriptorBindingFlagBits := 2;
VK_DESCRIPTOR_BINDING_PARTIALLY_BOUND_BIT_EXT : constant VkDescriptorBindingFlagBits := 4;
VK_DESCRIPTOR_BINDING_VARIABLE_DESCRIPTOR_COUNT_BIT_EXT : constant VkDescriptorBindingFlagBits := 8;
VK_DESCRIPTOR_BINDING_FLAG_BITS_MAX_ENUM : constant VkDescriptorBindingFlagBits := 2147483647; -- vulkan_core.h:5022
subtype VkDescriptorBindingFlags is VkFlags; -- vulkan_core.h:5033
subtype VkSemaphoreWaitFlagBits is unsigned;
VK_SEMAPHORE_WAIT_ANY_BIT : constant VkSemaphoreWaitFlagBits := 1;
VK_SEMAPHORE_WAIT_ANY_BIT_KHR : constant VkSemaphoreWaitFlagBits := 1;
VK_SEMAPHORE_WAIT_FLAG_BITS_MAX_ENUM : constant VkSemaphoreWaitFlagBits := 2147483647; -- vulkan_core.h:5035
subtype VkSemaphoreWaitFlags is VkFlags; -- vulkan_core.h:5040
type VkPhysicalDeviceVulkan11Features is record
sType : aliased VkStructureType; -- vulkan_core.h:5042
pNext : System.Address; -- vulkan_core.h:5043
storageBuffer16BitAccess : aliased VkBool32; -- vulkan_core.h:5044
uniformAndStorageBuffer16BitAccess : aliased VkBool32; -- vulkan_core.h:5045
storagePushConstant16 : aliased VkBool32; -- vulkan_core.h:5046
storageInputOutput16 : aliased VkBool32; -- vulkan_core.h:5047
multiview : aliased VkBool32; -- vulkan_core.h:5048
multiviewGeometryShader : aliased VkBool32; -- vulkan_core.h:5049
multiviewTessellationShader : aliased VkBool32; -- vulkan_core.h:5050
variablePointersStorageBuffer : aliased VkBool32; -- vulkan_core.h:5051
variablePointers : aliased VkBool32; -- vulkan_core.h:5052
protectedMemory : aliased VkBool32; -- vulkan_core.h:5053
samplerYcbcrConversion : aliased VkBool32; -- vulkan_core.h:5054
shaderDrawParameters : aliased VkBool32; -- vulkan_core.h:5055
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceVulkan11Features); -- vulkan_core.h:5041
type VkPhysicalDeviceVulkan11Properties_deviceUUID_array is array (0 .. 15) of aliased stdint_h.uint8_t;
type VkPhysicalDeviceVulkan11Properties_driverUUID_array is array (0 .. 15) of aliased stdint_h.uint8_t;
type VkPhysicalDeviceVulkan11Properties_deviceLUID_array is array (0 .. 7) of aliased stdint_h.uint8_t;
type VkPhysicalDeviceVulkan11Properties is record
sType : aliased VkStructureType; -- vulkan_core.h:5059
pNext : System.Address; -- vulkan_core.h:5060
deviceUUID : aliased VkPhysicalDeviceVulkan11Properties_deviceUUID_array; -- vulkan_core.h:5061
driverUUID : aliased VkPhysicalDeviceVulkan11Properties_driverUUID_array; -- vulkan_core.h:5062
deviceLUID : aliased VkPhysicalDeviceVulkan11Properties_deviceLUID_array; -- vulkan_core.h:5063
deviceNodeMask : aliased stdint_h.uint32_t; -- vulkan_core.h:5064
deviceLUIDValid : aliased VkBool32; -- vulkan_core.h:5065
subgroupSize : aliased stdint_h.uint32_t; -- vulkan_core.h:5066
subgroupSupportedStages : aliased VkShaderStageFlags; -- vulkan_core.h:5067
subgroupSupportedOperations : aliased VkSubgroupFeatureFlags; -- vulkan_core.h:5068
subgroupQuadOperationsInAllStages : aliased VkBool32; -- vulkan_core.h:5069
pointClippingBehavior : aliased VkPointClippingBehavior; -- vulkan_core.h:5070
maxMultiviewViewCount : aliased stdint_h.uint32_t; -- vulkan_core.h:5071
maxMultiviewInstanceIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:5072
protectedNoFault : aliased VkBool32; -- vulkan_core.h:5073
maxPerSetDescriptors : aliased stdint_h.uint32_t; -- vulkan_core.h:5074
maxMemoryAllocationSize : aliased VkDeviceSize; -- vulkan_core.h:5075
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceVulkan11Properties); -- vulkan_core.h:5058
type VkPhysicalDeviceVulkan12Features is record
sType : aliased VkStructureType; -- vulkan_core.h:5079
pNext : System.Address; -- vulkan_core.h:5080
samplerMirrorClampToEdge : aliased VkBool32; -- vulkan_core.h:5081
drawIndirectCount : aliased VkBool32; -- vulkan_core.h:5082
storageBuffer8BitAccess : aliased VkBool32; -- vulkan_core.h:5083
uniformAndStorageBuffer8BitAccess : aliased VkBool32; -- vulkan_core.h:5084
storagePushConstant8 : aliased VkBool32; -- vulkan_core.h:5085
shaderBufferInt64Atomics : aliased VkBool32; -- vulkan_core.h:5086
shaderSharedInt64Atomics : aliased VkBool32; -- vulkan_core.h:5087
shaderFloat16 : aliased VkBool32; -- vulkan_core.h:5088
shaderInt8 : aliased VkBool32; -- vulkan_core.h:5089
descriptorIndexing : aliased VkBool32; -- vulkan_core.h:5090
shaderInputAttachmentArrayDynamicIndexing : aliased VkBool32; -- vulkan_core.h:5091
shaderUniformTexelBufferArrayDynamicIndexing : aliased VkBool32; -- vulkan_core.h:5092
shaderStorageTexelBufferArrayDynamicIndexing : aliased VkBool32; -- vulkan_core.h:5093
shaderUniformBufferArrayNonUniformIndexing : aliased VkBool32; -- vulkan_core.h:5094
shaderSampledImageArrayNonUniformIndexing : aliased VkBool32; -- vulkan_core.h:5095
shaderStorageBufferArrayNonUniformIndexing : aliased VkBool32; -- vulkan_core.h:5096
shaderStorageImageArrayNonUniformIndexing : aliased VkBool32; -- vulkan_core.h:5097
shaderInputAttachmentArrayNonUniformIndexing : aliased VkBool32; -- vulkan_core.h:5098
shaderUniformTexelBufferArrayNonUniformIndexing : aliased VkBool32; -- vulkan_core.h:5099
shaderStorageTexelBufferArrayNonUniformIndexing : aliased VkBool32; -- vulkan_core.h:5100
descriptorBindingUniformBufferUpdateAfterBind : aliased VkBool32; -- vulkan_core.h:5101
descriptorBindingSampledImageUpdateAfterBind : aliased VkBool32; -- vulkan_core.h:5102
descriptorBindingStorageImageUpdateAfterBind : aliased VkBool32; -- vulkan_core.h:5103
descriptorBindingStorageBufferUpdateAfterBind : aliased VkBool32; -- vulkan_core.h:5104
descriptorBindingUniformTexelBufferUpdateAfterBind : aliased VkBool32; -- vulkan_core.h:5105
descriptorBindingStorageTexelBufferUpdateAfterBind : aliased VkBool32; -- vulkan_core.h:5106
descriptorBindingUpdateUnusedWhilePending : aliased VkBool32; -- vulkan_core.h:5107
descriptorBindingPartiallyBound : aliased VkBool32; -- vulkan_core.h:5108
descriptorBindingVariableDescriptorCount : aliased VkBool32; -- vulkan_core.h:5109
runtimeDescriptorArray : aliased VkBool32; -- vulkan_core.h:5110
samplerFilterMinmax : aliased VkBool32; -- vulkan_core.h:5111
scalarBlockLayout : aliased VkBool32; -- vulkan_core.h:5112
imagelessFramebuffer : aliased VkBool32; -- vulkan_core.h:5113
uniformBufferStandardLayout : aliased VkBool32; -- vulkan_core.h:5114
shaderSubgroupExtendedTypes : aliased VkBool32; -- vulkan_core.h:5115
separateDepthStencilLayouts : aliased VkBool32; -- vulkan_core.h:5116
hostQueryReset : aliased VkBool32; -- vulkan_core.h:5117
timelineSemaphore : aliased VkBool32; -- vulkan_core.h:5118
bufferDeviceAddress : aliased VkBool32; -- vulkan_core.h:5119
bufferDeviceAddressCaptureReplay : aliased VkBool32; -- vulkan_core.h:5120
bufferDeviceAddressMultiDevice : aliased VkBool32; -- vulkan_core.h:5121
vulkanMemoryModel : aliased VkBool32; -- vulkan_core.h:5122
vulkanMemoryModelDeviceScope : aliased VkBool32; -- vulkan_core.h:5123
vulkanMemoryModelAvailabilityVisibilityChains : aliased VkBool32; -- vulkan_core.h:5124
shaderOutputViewportIndex : aliased VkBool32; -- vulkan_core.h:5125
shaderOutputLayer : aliased VkBool32; -- vulkan_core.h:5126
subgroupBroadcastDynamicId : aliased VkBool32; -- vulkan_core.h:5127
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceVulkan12Features); -- vulkan_core.h:5078
type VkConformanceVersion is record
major : aliased stdint_h.uint8_t; -- vulkan_core.h:5131
minor : aliased stdint_h.uint8_t; -- vulkan_core.h:5132
subminor : aliased stdint_h.uint8_t; -- vulkan_core.h:5133
patch : aliased stdint_h.uint8_t; -- vulkan_core.h:5134
end record;
pragma Convention (C_Pass_By_Copy, VkConformanceVersion); -- vulkan_core.h:5130
subtype VkPhysicalDeviceVulkan12Properties_driverName_array is Interfaces.C.char_array (0 .. 255);
subtype VkPhysicalDeviceVulkan12Properties_driverInfo_array is Interfaces.C.char_array (0 .. 255);
type VkPhysicalDeviceVulkan12Properties is record
sType : aliased VkStructureType; -- vulkan_core.h:5138
pNext : System.Address; -- vulkan_core.h:5139
driverID : aliased VkDriverId; -- vulkan_core.h:5140
driverName : aliased VkPhysicalDeviceVulkan12Properties_driverName_array; -- vulkan_core.h:5141
driverInfo : aliased VkPhysicalDeviceVulkan12Properties_driverInfo_array; -- vulkan_core.h:5142
conformanceVersion : aliased VkConformanceVersion; -- vulkan_core.h:5143
denormBehaviorIndependence : aliased VkShaderFloatControlsIndependence; -- vulkan_core.h:5144
roundingModeIndependence : aliased VkShaderFloatControlsIndependence; -- vulkan_core.h:5145
shaderSignedZeroInfNanPreserveFloat16 : aliased VkBool32; -- vulkan_core.h:5146
shaderSignedZeroInfNanPreserveFloat32 : aliased VkBool32; -- vulkan_core.h:5147
shaderSignedZeroInfNanPreserveFloat64 : aliased VkBool32; -- vulkan_core.h:5148
shaderDenormPreserveFloat16 : aliased VkBool32; -- vulkan_core.h:5149
shaderDenormPreserveFloat32 : aliased VkBool32; -- vulkan_core.h:5150
shaderDenormPreserveFloat64 : aliased VkBool32; -- vulkan_core.h:5151
shaderDenormFlushToZeroFloat16 : aliased VkBool32; -- vulkan_core.h:5152
shaderDenormFlushToZeroFloat32 : aliased VkBool32; -- vulkan_core.h:5153
shaderDenormFlushToZeroFloat64 : aliased VkBool32; -- vulkan_core.h:5154
shaderRoundingModeRTEFloat16 : aliased VkBool32; -- vulkan_core.h:5155
shaderRoundingModeRTEFloat32 : aliased VkBool32; -- vulkan_core.h:5156
shaderRoundingModeRTEFloat64 : aliased VkBool32; -- vulkan_core.h:5157
shaderRoundingModeRTZFloat16 : aliased VkBool32; -- vulkan_core.h:5158
shaderRoundingModeRTZFloat32 : aliased VkBool32; -- vulkan_core.h:5159
shaderRoundingModeRTZFloat64 : aliased VkBool32; -- vulkan_core.h:5160
maxUpdateAfterBindDescriptorsInAllPools : aliased stdint_h.uint32_t; -- vulkan_core.h:5161
shaderUniformBufferArrayNonUniformIndexingNative : aliased VkBool32; -- vulkan_core.h:5162
shaderSampledImageArrayNonUniformIndexingNative : aliased VkBool32; -- vulkan_core.h:5163
shaderStorageBufferArrayNonUniformIndexingNative : aliased VkBool32; -- vulkan_core.h:5164
shaderStorageImageArrayNonUniformIndexingNative : aliased VkBool32; -- vulkan_core.h:5165
shaderInputAttachmentArrayNonUniformIndexingNative : aliased VkBool32; -- vulkan_core.h:5166
robustBufferAccessUpdateAfterBind : aliased VkBool32; -- vulkan_core.h:5167
quadDivergentImplicitLod : aliased VkBool32; -- vulkan_core.h:5168
maxPerStageDescriptorUpdateAfterBindSamplers : aliased stdint_h.uint32_t; -- vulkan_core.h:5169
maxPerStageDescriptorUpdateAfterBindUniformBuffers : aliased stdint_h.uint32_t; -- vulkan_core.h:5170
maxPerStageDescriptorUpdateAfterBindStorageBuffers : aliased stdint_h.uint32_t; -- vulkan_core.h:5171
maxPerStageDescriptorUpdateAfterBindSampledImages : aliased stdint_h.uint32_t; -- vulkan_core.h:5172
maxPerStageDescriptorUpdateAfterBindStorageImages : aliased stdint_h.uint32_t; -- vulkan_core.h:5173
maxPerStageDescriptorUpdateAfterBindInputAttachments : aliased stdint_h.uint32_t; -- vulkan_core.h:5174
maxPerStageUpdateAfterBindResources : aliased stdint_h.uint32_t; -- vulkan_core.h:5175
maxDescriptorSetUpdateAfterBindSamplers : aliased stdint_h.uint32_t; -- vulkan_core.h:5176
maxDescriptorSetUpdateAfterBindUniformBuffers : aliased stdint_h.uint32_t; -- vulkan_core.h:5177
maxDescriptorSetUpdateAfterBindUniformBuffersDynamic : aliased stdint_h.uint32_t; -- vulkan_core.h:5178
maxDescriptorSetUpdateAfterBindStorageBuffers : aliased stdint_h.uint32_t; -- vulkan_core.h:5179
maxDescriptorSetUpdateAfterBindStorageBuffersDynamic : aliased stdint_h.uint32_t; -- vulkan_core.h:5180
maxDescriptorSetUpdateAfterBindSampledImages : aliased stdint_h.uint32_t; -- vulkan_core.h:5181
maxDescriptorSetUpdateAfterBindStorageImages : aliased stdint_h.uint32_t; -- vulkan_core.h:5182
maxDescriptorSetUpdateAfterBindInputAttachments : aliased stdint_h.uint32_t; -- vulkan_core.h:5183
supportedDepthResolveModes : aliased VkResolveModeFlags; -- vulkan_core.h:5184
supportedStencilResolveModes : aliased VkResolveModeFlags; -- vulkan_core.h:5185
independentResolveNone : aliased VkBool32; -- vulkan_core.h:5186
independentResolve : aliased VkBool32; -- vulkan_core.h:5187
filterMinmaxSingleComponentFormats : aliased VkBool32; -- vulkan_core.h:5188
filterMinmaxImageComponentMapping : aliased VkBool32; -- vulkan_core.h:5189
maxTimelineSemaphoreValueDifference : aliased stdint_h.uint64_t; -- vulkan_core.h:5190
framebufferIntegerColorSampleCounts : aliased VkSampleCountFlags; -- vulkan_core.h:5191
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceVulkan12Properties); -- vulkan_core.h:5137
type VkImageFormatListCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:5195
pNext : System.Address; -- vulkan_core.h:5196
viewFormatCount : aliased stdint_h.uint32_t; -- vulkan_core.h:5197
pViewFormats : System.Address; -- vulkan_core.h:5198
end record;
pragma Convention (C_Pass_By_Copy, VkImageFormatListCreateInfo); -- vulkan_core.h:5194
type VkAttachmentDescription2 is record
sType : aliased VkStructureType; -- vulkan_core.h:5202
pNext : System.Address; -- vulkan_core.h:5203
flags : aliased VkAttachmentDescriptionFlags; -- vulkan_core.h:5204
format : aliased VkFormat; -- vulkan_core.h:5205
samples : aliased VkSampleCountFlagBits; -- vulkan_core.h:5206
loadOp : aliased VkAttachmentLoadOp; -- vulkan_core.h:5207
storeOp : aliased VkAttachmentStoreOp; -- vulkan_core.h:5208
stencilLoadOp : aliased VkAttachmentLoadOp; -- vulkan_core.h:5209
stencilStoreOp : aliased VkAttachmentStoreOp; -- vulkan_core.h:5210
initialLayout : aliased VkImageLayout; -- vulkan_core.h:5211
finalLayout : aliased VkImageLayout; -- vulkan_core.h:5212
end record;
pragma Convention (C_Pass_By_Copy, VkAttachmentDescription2); -- vulkan_core.h:5201
type VkAttachmentReference2 is record
sType : aliased VkStructureType; -- vulkan_core.h:5216
pNext : System.Address; -- vulkan_core.h:5217
attachment : aliased stdint_h.uint32_t; -- vulkan_core.h:5218
layout : aliased VkImageLayout; -- vulkan_core.h:5219
aspectMask : aliased VkImageAspectFlags; -- vulkan_core.h:5220
end record;
pragma Convention (C_Pass_By_Copy, VkAttachmentReference2); -- vulkan_core.h:5215
type VkSubpassDescription2 is record
sType : aliased VkStructureType; -- vulkan_core.h:5224
pNext : System.Address; -- vulkan_core.h:5225
flags : aliased VkSubpassDescriptionFlags; -- vulkan_core.h:5226
pipelineBindPoint : aliased VkPipelineBindPoint; -- vulkan_core.h:5227
viewMask : aliased stdint_h.uint32_t; -- vulkan_core.h:5228
inputAttachmentCount : aliased stdint_h.uint32_t; -- vulkan_core.h:5229
pInputAttachments : System.Address; -- vulkan_core.h:5230
colorAttachmentCount : aliased stdint_h.uint32_t; -- vulkan_core.h:5231
pColorAttachments : System.Address; -- vulkan_core.h:5232
pResolveAttachments : System.Address; -- vulkan_core.h:5233
pDepthStencilAttachment : System.Address; -- vulkan_core.h:5234
preserveAttachmentCount : aliased stdint_h.uint32_t; -- vulkan_core.h:5235
pPreserveAttachments : access stdint_h.uint32_t; -- vulkan_core.h:5236
end record;
pragma Convention (C_Pass_By_Copy, VkSubpassDescription2); -- vulkan_core.h:5223
type VkSubpassDependency2 is record
sType : aliased VkStructureType; -- vulkan_core.h:5240
pNext : System.Address; -- vulkan_core.h:5241
srcSubpass : aliased stdint_h.uint32_t; -- vulkan_core.h:5242
dstSubpass : aliased stdint_h.uint32_t; -- vulkan_core.h:5243
srcStageMask : aliased VkPipelineStageFlags; -- vulkan_core.h:5244
dstStageMask : aliased VkPipelineStageFlags; -- vulkan_core.h:5245
srcAccessMask : aliased VkAccessFlags; -- vulkan_core.h:5246
dstAccessMask : aliased VkAccessFlags; -- vulkan_core.h:5247
dependencyFlags : aliased VkDependencyFlags; -- vulkan_core.h:5248
viewOffset : aliased stdint_h.int32_t; -- vulkan_core.h:5249
end record;
pragma Convention (C_Pass_By_Copy, VkSubpassDependency2); -- vulkan_core.h:5239
type VkRenderPassCreateInfo2 is record
sType : aliased VkStructureType; -- vulkan_core.h:5253
pNext : System.Address; -- vulkan_core.h:5254
flags : aliased VkRenderPassCreateFlags; -- vulkan_core.h:5255
attachmentCount : aliased stdint_h.uint32_t; -- vulkan_core.h:5256
pAttachments : System.Address; -- vulkan_core.h:5257
subpassCount : aliased stdint_h.uint32_t; -- vulkan_core.h:5258
pSubpasses : System.Address; -- vulkan_core.h:5259
dependencyCount : aliased stdint_h.uint32_t; -- vulkan_core.h:5260
pDependencies : System.Address; -- vulkan_core.h:5261
correlatedViewMaskCount : aliased stdint_h.uint32_t; -- vulkan_core.h:5262
pCorrelatedViewMasks : access stdint_h.uint32_t; -- vulkan_core.h:5263
end record;
pragma Convention (C_Pass_By_Copy, VkRenderPassCreateInfo2); -- vulkan_core.h:5252
type VkSubpassBeginInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:5267
pNext : System.Address; -- vulkan_core.h:5268
contents : aliased VkSubpassContents; -- vulkan_core.h:5269
end record;
pragma Convention (C_Pass_By_Copy, VkSubpassBeginInfo); -- vulkan_core.h:5266
type VkSubpassEndInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:5273
pNext : System.Address; -- vulkan_core.h:5274
end record;
pragma Convention (C_Pass_By_Copy, VkSubpassEndInfo); -- vulkan_core.h:5272
type VkPhysicalDevice8BitStorageFeatures is record
sType : aliased VkStructureType; -- vulkan_core.h:5278
pNext : System.Address; -- vulkan_core.h:5279
storageBuffer8BitAccess : aliased VkBool32; -- vulkan_core.h:5280
uniformAndStorageBuffer8BitAccess : aliased VkBool32; -- vulkan_core.h:5281
storagePushConstant8 : aliased VkBool32; -- vulkan_core.h:5282
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDevice8BitStorageFeatures); -- vulkan_core.h:5277
subtype VkPhysicalDeviceDriverProperties_driverName_array is Interfaces.C.char_array (0 .. 255);
subtype VkPhysicalDeviceDriverProperties_driverInfo_array is Interfaces.C.char_array (0 .. 255);
type VkPhysicalDeviceDriverProperties is record
sType : aliased VkStructureType; -- vulkan_core.h:5286
pNext : System.Address; -- vulkan_core.h:5287
driverID : aliased VkDriverId; -- vulkan_core.h:5288
driverName : aliased VkPhysicalDeviceDriverProperties_driverName_array; -- vulkan_core.h:5289
driverInfo : aliased VkPhysicalDeviceDriverProperties_driverInfo_array; -- vulkan_core.h:5290
conformanceVersion : aliased VkConformanceVersion; -- vulkan_core.h:5291
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceDriverProperties); -- vulkan_core.h:5285
type VkPhysicalDeviceShaderAtomicInt64Features is record
sType : aliased VkStructureType; -- vulkan_core.h:5295
pNext : System.Address; -- vulkan_core.h:5296
shaderBufferInt64Atomics : aliased VkBool32; -- vulkan_core.h:5297
shaderSharedInt64Atomics : aliased VkBool32; -- vulkan_core.h:5298
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceShaderAtomicInt64Features); -- vulkan_core.h:5294
type VkPhysicalDeviceShaderFloat16Int8Features is record
sType : aliased VkStructureType; -- vulkan_core.h:5302
pNext : System.Address; -- vulkan_core.h:5303
shaderFloat16 : aliased VkBool32; -- vulkan_core.h:5304
shaderInt8 : aliased VkBool32; -- vulkan_core.h:5305
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceShaderFloat16Int8Features); -- vulkan_core.h:5301
type VkPhysicalDeviceFloatControlsProperties is record
sType : aliased VkStructureType; -- vulkan_core.h:5309
pNext : System.Address; -- vulkan_core.h:5310
denormBehaviorIndependence : aliased VkShaderFloatControlsIndependence; -- vulkan_core.h:5311
roundingModeIndependence : aliased VkShaderFloatControlsIndependence; -- vulkan_core.h:5312
shaderSignedZeroInfNanPreserveFloat16 : aliased VkBool32; -- vulkan_core.h:5313
shaderSignedZeroInfNanPreserveFloat32 : aliased VkBool32; -- vulkan_core.h:5314
shaderSignedZeroInfNanPreserveFloat64 : aliased VkBool32; -- vulkan_core.h:5315
shaderDenormPreserveFloat16 : aliased VkBool32; -- vulkan_core.h:5316
shaderDenormPreserveFloat32 : aliased VkBool32; -- vulkan_core.h:5317
shaderDenormPreserveFloat64 : aliased VkBool32; -- vulkan_core.h:5318
shaderDenormFlushToZeroFloat16 : aliased VkBool32; -- vulkan_core.h:5319
shaderDenormFlushToZeroFloat32 : aliased VkBool32; -- vulkan_core.h:5320
shaderDenormFlushToZeroFloat64 : aliased VkBool32; -- vulkan_core.h:5321
shaderRoundingModeRTEFloat16 : aliased VkBool32; -- vulkan_core.h:5322
shaderRoundingModeRTEFloat32 : aliased VkBool32; -- vulkan_core.h:5323
shaderRoundingModeRTEFloat64 : aliased VkBool32; -- vulkan_core.h:5324
shaderRoundingModeRTZFloat16 : aliased VkBool32; -- vulkan_core.h:5325
shaderRoundingModeRTZFloat32 : aliased VkBool32; -- vulkan_core.h:5326
shaderRoundingModeRTZFloat64 : aliased VkBool32; -- vulkan_core.h:5327
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceFloatControlsProperties); -- vulkan_core.h:5308
type VkDescriptorSetLayoutBindingFlagsCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:5331
pNext : System.Address; -- vulkan_core.h:5332
bindingCount : aliased stdint_h.uint32_t; -- vulkan_core.h:5333
pBindingFlags : access VkDescriptorBindingFlags; -- vulkan_core.h:5334
end record;
pragma Convention (C_Pass_By_Copy, VkDescriptorSetLayoutBindingFlagsCreateInfo); -- vulkan_core.h:5330
type VkPhysicalDeviceDescriptorIndexingFeatures is record
sType : aliased VkStructureType; -- vulkan_core.h:5338
pNext : System.Address; -- vulkan_core.h:5339
shaderInputAttachmentArrayDynamicIndexing : aliased VkBool32; -- vulkan_core.h:5340
shaderUniformTexelBufferArrayDynamicIndexing : aliased VkBool32; -- vulkan_core.h:5341
shaderStorageTexelBufferArrayDynamicIndexing : aliased VkBool32; -- vulkan_core.h:5342
shaderUniformBufferArrayNonUniformIndexing : aliased VkBool32; -- vulkan_core.h:5343
shaderSampledImageArrayNonUniformIndexing : aliased VkBool32; -- vulkan_core.h:5344
shaderStorageBufferArrayNonUniformIndexing : aliased VkBool32; -- vulkan_core.h:5345
shaderStorageImageArrayNonUniformIndexing : aliased VkBool32; -- vulkan_core.h:5346
shaderInputAttachmentArrayNonUniformIndexing : aliased VkBool32; -- vulkan_core.h:5347
shaderUniformTexelBufferArrayNonUniformIndexing : aliased VkBool32; -- vulkan_core.h:5348
shaderStorageTexelBufferArrayNonUniformIndexing : aliased VkBool32; -- vulkan_core.h:5349
descriptorBindingUniformBufferUpdateAfterBind : aliased VkBool32; -- vulkan_core.h:5350
descriptorBindingSampledImageUpdateAfterBind : aliased VkBool32; -- vulkan_core.h:5351
descriptorBindingStorageImageUpdateAfterBind : aliased VkBool32; -- vulkan_core.h:5352
descriptorBindingStorageBufferUpdateAfterBind : aliased VkBool32; -- vulkan_core.h:5353
descriptorBindingUniformTexelBufferUpdateAfterBind : aliased VkBool32; -- vulkan_core.h:5354
descriptorBindingStorageTexelBufferUpdateAfterBind : aliased VkBool32; -- vulkan_core.h:5355
descriptorBindingUpdateUnusedWhilePending : aliased VkBool32; -- vulkan_core.h:5356
descriptorBindingPartiallyBound : aliased VkBool32; -- vulkan_core.h:5357
descriptorBindingVariableDescriptorCount : aliased VkBool32; -- vulkan_core.h:5358
runtimeDescriptorArray : aliased VkBool32; -- vulkan_core.h:5359
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceDescriptorIndexingFeatures); -- vulkan_core.h:5337
type VkPhysicalDeviceDescriptorIndexingProperties is record
sType : aliased VkStructureType; -- vulkan_core.h:5363
pNext : System.Address; -- vulkan_core.h:5364
maxUpdateAfterBindDescriptorsInAllPools : aliased stdint_h.uint32_t; -- vulkan_core.h:5365
shaderUniformBufferArrayNonUniformIndexingNative : aliased VkBool32; -- vulkan_core.h:5366
shaderSampledImageArrayNonUniformIndexingNative : aliased VkBool32; -- vulkan_core.h:5367
shaderStorageBufferArrayNonUniformIndexingNative : aliased VkBool32; -- vulkan_core.h:5368
shaderStorageImageArrayNonUniformIndexingNative : aliased VkBool32; -- vulkan_core.h:5369
shaderInputAttachmentArrayNonUniformIndexingNative : aliased VkBool32; -- vulkan_core.h:5370
robustBufferAccessUpdateAfterBind : aliased VkBool32; -- vulkan_core.h:5371
quadDivergentImplicitLod : aliased VkBool32; -- vulkan_core.h:5372
maxPerStageDescriptorUpdateAfterBindSamplers : aliased stdint_h.uint32_t; -- vulkan_core.h:5373
maxPerStageDescriptorUpdateAfterBindUniformBuffers : aliased stdint_h.uint32_t; -- vulkan_core.h:5374
maxPerStageDescriptorUpdateAfterBindStorageBuffers : aliased stdint_h.uint32_t; -- vulkan_core.h:5375
maxPerStageDescriptorUpdateAfterBindSampledImages : aliased stdint_h.uint32_t; -- vulkan_core.h:5376
maxPerStageDescriptorUpdateAfterBindStorageImages : aliased stdint_h.uint32_t; -- vulkan_core.h:5377
maxPerStageDescriptorUpdateAfterBindInputAttachments : aliased stdint_h.uint32_t; -- vulkan_core.h:5378
maxPerStageUpdateAfterBindResources : aliased stdint_h.uint32_t; -- vulkan_core.h:5379
maxDescriptorSetUpdateAfterBindSamplers : aliased stdint_h.uint32_t; -- vulkan_core.h:5380
maxDescriptorSetUpdateAfterBindUniformBuffers : aliased stdint_h.uint32_t; -- vulkan_core.h:5381
maxDescriptorSetUpdateAfterBindUniformBuffersDynamic : aliased stdint_h.uint32_t; -- vulkan_core.h:5382
maxDescriptorSetUpdateAfterBindStorageBuffers : aliased stdint_h.uint32_t; -- vulkan_core.h:5383
maxDescriptorSetUpdateAfterBindStorageBuffersDynamic : aliased stdint_h.uint32_t; -- vulkan_core.h:5384
maxDescriptorSetUpdateAfterBindSampledImages : aliased stdint_h.uint32_t; -- vulkan_core.h:5385
maxDescriptorSetUpdateAfterBindStorageImages : aliased stdint_h.uint32_t; -- vulkan_core.h:5386
maxDescriptorSetUpdateAfterBindInputAttachments : aliased stdint_h.uint32_t; -- vulkan_core.h:5387
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceDescriptorIndexingProperties); -- vulkan_core.h:5362
type VkDescriptorSetVariableDescriptorCountAllocateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:5391
pNext : System.Address; -- vulkan_core.h:5392
descriptorSetCount : aliased stdint_h.uint32_t; -- vulkan_core.h:5393
pDescriptorCounts : access stdint_h.uint32_t; -- vulkan_core.h:5394
end record;
pragma Convention (C_Pass_By_Copy, VkDescriptorSetVariableDescriptorCountAllocateInfo); -- vulkan_core.h:5390
type VkDescriptorSetVariableDescriptorCountLayoutSupport is record
sType : aliased VkStructureType; -- vulkan_core.h:5398
pNext : System.Address; -- vulkan_core.h:5399
maxVariableDescriptorCount : aliased stdint_h.uint32_t; -- vulkan_core.h:5400
end record;
pragma Convention (C_Pass_By_Copy, VkDescriptorSetVariableDescriptorCountLayoutSupport); -- vulkan_core.h:5397
type VkSubpassDescriptionDepthStencilResolve is record
sType : aliased VkStructureType; -- vulkan_core.h:5404
pNext : System.Address; -- vulkan_core.h:5405
depthResolveMode : aliased VkResolveModeFlagBits; -- vulkan_core.h:5406
stencilResolveMode : aliased VkResolveModeFlagBits; -- vulkan_core.h:5407
pDepthStencilResolveAttachment : System.Address; -- vulkan_core.h:5408
end record;
pragma Convention (C_Pass_By_Copy, VkSubpassDescriptionDepthStencilResolve); -- vulkan_core.h:5403
type VkPhysicalDeviceDepthStencilResolveProperties is record
sType : aliased VkStructureType; -- vulkan_core.h:5412
pNext : System.Address; -- vulkan_core.h:5413
supportedDepthResolveModes : aliased VkResolveModeFlags; -- vulkan_core.h:5414
supportedStencilResolveModes : aliased VkResolveModeFlags; -- vulkan_core.h:5415
independentResolveNone : aliased VkBool32; -- vulkan_core.h:5416
independentResolve : aliased VkBool32; -- vulkan_core.h:5417
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceDepthStencilResolveProperties); -- vulkan_core.h:5411
type VkPhysicalDeviceScalarBlockLayoutFeatures is record
sType : aliased VkStructureType; -- vulkan_core.h:5421
pNext : System.Address; -- vulkan_core.h:5422
scalarBlockLayout : aliased VkBool32; -- vulkan_core.h:5423
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceScalarBlockLayoutFeatures); -- vulkan_core.h:5420
type VkImageStencilUsageCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:5427
pNext : System.Address; -- vulkan_core.h:5428
stencilUsage : aliased VkImageUsageFlags; -- vulkan_core.h:5429
end record;
pragma Convention (C_Pass_By_Copy, VkImageStencilUsageCreateInfo); -- vulkan_core.h:5426
type VkSamplerReductionModeCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:5433
pNext : System.Address; -- vulkan_core.h:5434
reductionMode : aliased VkSamplerReductionMode; -- vulkan_core.h:5435
end record;
pragma Convention (C_Pass_By_Copy, VkSamplerReductionModeCreateInfo); -- vulkan_core.h:5432
type VkPhysicalDeviceSamplerFilterMinmaxProperties is record
sType : aliased VkStructureType; -- vulkan_core.h:5439
pNext : System.Address; -- vulkan_core.h:5440
filterMinmaxSingleComponentFormats : aliased VkBool32; -- vulkan_core.h:5441
filterMinmaxImageComponentMapping : aliased VkBool32; -- vulkan_core.h:5442
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceSamplerFilterMinmaxProperties); -- vulkan_core.h:5438
type VkPhysicalDeviceVulkanMemoryModelFeatures is record
sType : aliased VkStructureType; -- vulkan_core.h:5446
pNext : System.Address; -- vulkan_core.h:5447
vulkanMemoryModel : aliased VkBool32; -- vulkan_core.h:5448
vulkanMemoryModelDeviceScope : aliased VkBool32; -- vulkan_core.h:5449
vulkanMemoryModelAvailabilityVisibilityChains : aliased VkBool32; -- vulkan_core.h:5450
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceVulkanMemoryModelFeatures); -- vulkan_core.h:5445
type VkPhysicalDeviceImagelessFramebufferFeatures is record
sType : aliased VkStructureType; -- vulkan_core.h:5454
pNext : System.Address; -- vulkan_core.h:5455
imagelessFramebuffer : aliased VkBool32; -- vulkan_core.h:5456
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceImagelessFramebufferFeatures); -- vulkan_core.h:5453
type VkFramebufferAttachmentImageInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:5460
pNext : System.Address; -- vulkan_core.h:5461
flags : aliased VkImageCreateFlags; -- vulkan_core.h:5462
usage : aliased VkImageUsageFlags; -- vulkan_core.h:5463
width : aliased stdint_h.uint32_t; -- vulkan_core.h:5464
height : aliased stdint_h.uint32_t; -- vulkan_core.h:5465
layerCount : aliased stdint_h.uint32_t; -- vulkan_core.h:5466
viewFormatCount : aliased stdint_h.uint32_t; -- vulkan_core.h:5467
pViewFormats : System.Address; -- vulkan_core.h:5468
end record;
pragma Convention (C_Pass_By_Copy, VkFramebufferAttachmentImageInfo); -- vulkan_core.h:5459
type VkFramebufferAttachmentsCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:5472
pNext : System.Address; -- vulkan_core.h:5473
attachmentImageInfoCount : aliased stdint_h.uint32_t; -- vulkan_core.h:5474
pAttachmentImageInfos : System.Address; -- vulkan_core.h:5475
end record;
pragma Convention (C_Pass_By_Copy, VkFramebufferAttachmentsCreateInfo); -- vulkan_core.h:5471
type VkRenderPassAttachmentBeginInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:5479
pNext : System.Address; -- vulkan_core.h:5480
attachmentCount : aliased stdint_h.uint32_t; -- vulkan_core.h:5481
pAttachments : System.Address; -- vulkan_core.h:5482
end record;
pragma Convention (C_Pass_By_Copy, VkRenderPassAttachmentBeginInfo); -- vulkan_core.h:5478
type VkPhysicalDeviceUniformBufferStandardLayoutFeatures is record
sType : aliased VkStructureType; -- vulkan_core.h:5486
pNext : System.Address; -- vulkan_core.h:5487
uniformBufferStandardLayout : aliased VkBool32; -- vulkan_core.h:5488
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceUniformBufferStandardLayoutFeatures); -- vulkan_core.h:5485
type VkPhysicalDeviceShaderSubgroupExtendedTypesFeatures is record
sType : aliased VkStructureType; -- vulkan_core.h:5492
pNext : System.Address; -- vulkan_core.h:5493
shaderSubgroupExtendedTypes : aliased VkBool32; -- vulkan_core.h:5494
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceShaderSubgroupExtendedTypesFeatures); -- vulkan_core.h:5491
type VkPhysicalDeviceSeparateDepthStencilLayoutsFeatures is record
sType : aliased VkStructureType; -- vulkan_core.h:5498
pNext : System.Address; -- vulkan_core.h:5499
separateDepthStencilLayouts : aliased VkBool32; -- vulkan_core.h:5500
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceSeparateDepthStencilLayoutsFeatures); -- vulkan_core.h:5497
type VkAttachmentReferenceStencilLayout is record
sType : aliased VkStructureType; -- vulkan_core.h:5504
pNext : System.Address; -- vulkan_core.h:5505
stencilLayout : aliased VkImageLayout; -- vulkan_core.h:5506
end record;
pragma Convention (C_Pass_By_Copy, VkAttachmentReferenceStencilLayout); -- vulkan_core.h:5503
type VkAttachmentDescriptionStencilLayout is record
sType : aliased VkStructureType; -- vulkan_core.h:5510
pNext : System.Address; -- vulkan_core.h:5511
stencilInitialLayout : aliased VkImageLayout; -- vulkan_core.h:5512
stencilFinalLayout : aliased VkImageLayout; -- vulkan_core.h:5513
end record;
pragma Convention (C_Pass_By_Copy, VkAttachmentDescriptionStencilLayout); -- vulkan_core.h:5509
type VkPhysicalDeviceHostQueryResetFeatures is record
sType : aliased VkStructureType; -- vulkan_core.h:5517
pNext : System.Address; -- vulkan_core.h:5518
hostQueryReset : aliased VkBool32; -- vulkan_core.h:5519
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceHostQueryResetFeatures); -- vulkan_core.h:5516
type VkPhysicalDeviceTimelineSemaphoreFeatures is record
sType : aliased VkStructureType; -- vulkan_core.h:5523
pNext : System.Address; -- vulkan_core.h:5524
timelineSemaphore : aliased VkBool32; -- vulkan_core.h:5525
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceTimelineSemaphoreFeatures); -- vulkan_core.h:5522
type VkPhysicalDeviceTimelineSemaphoreProperties is record
sType : aliased VkStructureType; -- vulkan_core.h:5529
pNext : System.Address; -- vulkan_core.h:5530
maxTimelineSemaphoreValueDifference : aliased stdint_h.uint64_t; -- vulkan_core.h:5531
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceTimelineSemaphoreProperties); -- vulkan_core.h:5528
type VkSemaphoreTypeCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:5535
pNext : System.Address; -- vulkan_core.h:5536
semaphoreType : aliased VkSemaphoreType; -- vulkan_core.h:5537
initialValue : aliased stdint_h.uint64_t; -- vulkan_core.h:5538
end record;
pragma Convention (C_Pass_By_Copy, VkSemaphoreTypeCreateInfo); -- vulkan_core.h:5534
type VkTimelineSemaphoreSubmitInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:5542
pNext : System.Address; -- vulkan_core.h:5543
waitSemaphoreValueCount : aliased stdint_h.uint32_t; -- vulkan_core.h:5544
pWaitSemaphoreValues : access stdint_h.uint64_t; -- vulkan_core.h:5545
signalSemaphoreValueCount : aliased stdint_h.uint32_t; -- vulkan_core.h:5546
pSignalSemaphoreValues : access stdint_h.uint64_t; -- vulkan_core.h:5547
end record;
pragma Convention (C_Pass_By_Copy, VkTimelineSemaphoreSubmitInfo); -- vulkan_core.h:5541
type VkSemaphoreWaitInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:5551
pNext : System.Address; -- vulkan_core.h:5552
flags : aliased VkSemaphoreWaitFlags; -- vulkan_core.h:5553
semaphoreCount : aliased stdint_h.uint32_t; -- vulkan_core.h:5554
pSemaphores : System.Address; -- vulkan_core.h:5555
pValues : access stdint_h.uint64_t; -- vulkan_core.h:5556
end record;
pragma Convention (C_Pass_By_Copy, VkSemaphoreWaitInfo); -- vulkan_core.h:5550
type VkSemaphoreSignalInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:5560
pNext : System.Address; -- vulkan_core.h:5561
semaphore : VkSemaphore; -- vulkan_core.h:5562
value : aliased stdint_h.uint64_t; -- vulkan_core.h:5563
end record;
pragma Convention (C_Pass_By_Copy, VkSemaphoreSignalInfo); -- vulkan_core.h:5559
type VkPhysicalDeviceBufferDeviceAddressFeatures is record
sType : aliased VkStructureType; -- vulkan_core.h:5567
pNext : System.Address; -- vulkan_core.h:5568
bufferDeviceAddress : aliased VkBool32; -- vulkan_core.h:5569
bufferDeviceAddressCaptureReplay : aliased VkBool32; -- vulkan_core.h:5570
bufferDeviceAddressMultiDevice : aliased VkBool32; -- vulkan_core.h:5571
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceBufferDeviceAddressFeatures); -- vulkan_core.h:5566
type VkBufferDeviceAddressInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:5575
pNext : System.Address; -- vulkan_core.h:5576
buffer : VkBuffer; -- vulkan_core.h:5577
end record;
pragma Convention (C_Pass_By_Copy, VkBufferDeviceAddressInfo); -- vulkan_core.h:5574
type VkBufferOpaqueCaptureAddressCreateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:5581
pNext : System.Address; -- vulkan_core.h:5582
opaqueCaptureAddress : aliased stdint_h.uint64_t; -- vulkan_core.h:5583
end record;
pragma Convention (C_Pass_By_Copy, VkBufferOpaqueCaptureAddressCreateInfo); -- vulkan_core.h:5580
type VkMemoryOpaqueCaptureAddressAllocateInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:5587
pNext : System.Address; -- vulkan_core.h:5588
opaqueCaptureAddress : aliased stdint_h.uint64_t; -- vulkan_core.h:5589
end record;
pragma Convention (C_Pass_By_Copy, VkMemoryOpaqueCaptureAddressAllocateInfo); -- vulkan_core.h:5586
type VkDeviceMemoryOpaqueCaptureAddressInfo is record
sType : aliased VkStructureType; -- vulkan_core.h:5593
pNext : System.Address; -- vulkan_core.h:5594
memory : VkDeviceMemory; -- vulkan_core.h:5595
end record;
pragma Convention (C_Pass_By_Copy, VkDeviceMemoryOpaqueCaptureAddressInfo); -- vulkan_core.h:5592
type PFN_vkCmdDrawIndirectCount is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkBuffer;
arg3 : VkDeviceSize;
arg4 : VkBuffer;
arg5 : VkDeviceSize;
arg6 : stdint_h.uint32_t;
arg7 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdDrawIndirectCount); -- vulkan_core.h:5598
type PFN_vkCmdDrawIndexedIndirectCount is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkBuffer;
arg3 : VkDeviceSize;
arg4 : VkBuffer;
arg5 : VkDeviceSize;
arg6 : stdint_h.uint32_t;
arg7 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdDrawIndexedIndirectCount); -- vulkan_core.h:5599
type PFN_vkCreateRenderPass2 is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateRenderPass2); -- vulkan_core.h:5600
type PFN_vkCmdBeginRenderPass2 is access procedure
(arg1 : VkCommandBuffer;
arg2 : System.Address;
arg3 : System.Address);
pragma Convention (C, PFN_vkCmdBeginRenderPass2); -- vulkan_core.h:5601
type PFN_vkCmdNextSubpass2 is access procedure
(arg1 : VkCommandBuffer;
arg2 : System.Address;
arg3 : System.Address);
pragma Convention (C, PFN_vkCmdNextSubpass2); -- vulkan_core.h:5602
type PFN_vkCmdEndRenderPass2 is access procedure (arg1 : VkCommandBuffer; arg2 : System.Address);
pragma Convention (C, PFN_vkCmdEndRenderPass2); -- vulkan_core.h:5603
type PFN_vkResetQueryPool is access procedure
(arg1 : VkDevice;
arg2 : VkQueryPool;
arg3 : stdint_h.uint32_t;
arg4 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkResetQueryPool); -- vulkan_core.h:5604
type PFN_vkGetSemaphoreCounterValue is access function
(arg1 : VkDevice;
arg2 : VkSemaphore;
arg3 : access stdint_h.uint64_t) return VkResult;
pragma Convention (C, PFN_vkGetSemaphoreCounterValue); -- vulkan_core.h:5605
type PFN_vkWaitSemaphores is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : stdint_h.uint64_t) return VkResult;
pragma Convention (C, PFN_vkWaitSemaphores); -- vulkan_core.h:5606
type PFN_vkSignalSemaphore is access function (arg1 : VkDevice; arg2 : System.Address) return VkResult;
pragma Convention (C, PFN_vkSignalSemaphore); -- vulkan_core.h:5607
type PFN_vkGetBufferDeviceAddress is access function (arg1 : VkDevice; arg2 : System.Address) return VkDeviceAddress;
pragma Convention (C, PFN_vkGetBufferDeviceAddress); -- vulkan_core.h:5608
type PFN_vkGetBufferOpaqueCaptureAddress is access function (arg1 : VkDevice; arg2 : System.Address) return stdint_h.uint64_t;
pragma Convention (C, PFN_vkGetBufferOpaqueCaptureAddress); -- vulkan_core.h:5609
type PFN_vkGetDeviceMemoryOpaqueCaptureAddress is access function (arg1 : VkDevice; arg2 : System.Address) return stdint_h.uint64_t;
pragma Convention (C, PFN_vkGetDeviceMemoryOpaqueCaptureAddress); -- vulkan_core.h:5610
procedure vkCmdDrawIndirectCount
(commandBuffer : VkCommandBuffer;
buffer : VkBuffer;
offset : VkDeviceSize;
countBuffer : VkBuffer;
countBufferOffset : VkDeviceSize;
maxDrawCount : stdint_h.uint32_t;
stride : stdint_h.uint32_t); -- vulkan_core.h:5613
pragma Import (C, vkCmdDrawIndirectCount, "vkCmdDrawIndirectCount");
procedure vkCmdDrawIndexedIndirectCount
(commandBuffer : VkCommandBuffer;
buffer : VkBuffer;
offset : VkDeviceSize;
countBuffer : VkBuffer;
countBufferOffset : VkDeviceSize;
maxDrawCount : stdint_h.uint32_t;
stride : stdint_h.uint32_t); -- vulkan_core.h:5622
pragma Import (C, vkCmdDrawIndexedIndirectCount, "vkCmdDrawIndexedIndirectCount");
function vkCreateRenderPass2
(device : VkDevice;
pCreateInfo : System.Address;
pAllocator : System.Address;
pRenderPass : System.Address) return VkResult; -- vulkan_core.h:5631
pragma Import (C, vkCreateRenderPass2, "vkCreateRenderPass2");
procedure vkCmdBeginRenderPass2
(commandBuffer : VkCommandBuffer;
pRenderPassBegin : System.Address;
pSubpassBeginInfo : System.Address); -- vulkan_core.h:5637
pragma Import (C, vkCmdBeginRenderPass2, "vkCmdBeginRenderPass2");
procedure vkCmdNextSubpass2
(commandBuffer : VkCommandBuffer;
pSubpassBeginInfo : System.Address;
pSubpassEndInfo : System.Address); -- vulkan_core.h:5642
pragma Import (C, vkCmdNextSubpass2, "vkCmdNextSubpass2");
procedure vkCmdEndRenderPass2 (commandBuffer : VkCommandBuffer; pSubpassEndInfo : System.Address); -- vulkan_core.h:5647
pragma Import (C, vkCmdEndRenderPass2, "vkCmdEndRenderPass2");
procedure vkResetQueryPool
(device : VkDevice;
queryPool : VkQueryPool;
firstQuery : stdint_h.uint32_t;
queryCount : stdint_h.uint32_t); -- vulkan_core.h:5651
pragma Import (C, vkResetQueryPool, "vkResetQueryPool");
function vkGetSemaphoreCounterValue
(device : VkDevice;
semaphore : VkSemaphore;
pValue : access stdint_h.uint64_t) return VkResult; -- vulkan_core.h:5657
pragma Import (C, vkGetSemaphoreCounterValue, "vkGetSemaphoreCounterValue");
function vkWaitSemaphores
(device : VkDevice;
pWaitInfo : System.Address;
timeout : stdint_h.uint64_t) return VkResult; -- vulkan_core.h:5662
pragma Import (C, vkWaitSemaphores, "vkWaitSemaphores");
function vkSignalSemaphore (device : VkDevice; pSignalInfo : System.Address) return VkResult; -- vulkan_core.h:5667
pragma Import (C, vkSignalSemaphore, "vkSignalSemaphore");
function vkGetBufferDeviceAddress (device : VkDevice; pInfo : System.Address) return VkDeviceAddress; -- vulkan_core.h:5671
pragma Import (C, vkGetBufferDeviceAddress, "vkGetBufferDeviceAddress");
function vkGetBufferOpaqueCaptureAddress (device : VkDevice; pInfo : System.Address) return stdint_h.uint64_t; -- vulkan_core.h:5675
pragma Import (C, vkGetBufferOpaqueCaptureAddress, "vkGetBufferOpaqueCaptureAddress");
function vkGetDeviceMemoryOpaqueCaptureAddress (device : VkDevice; pInfo : System.Address) return stdint_h.uint64_t; -- vulkan_core.h:5679
pragma Import (C, vkGetDeviceMemoryOpaqueCaptureAddress, "vkGetDeviceMemoryOpaqueCaptureAddress");
type VkSurfaceKHR is new System.Address; -- vulkan_core.h:5686
-- skipped empty struct VkSurfaceKHR_T
subtype VkPresentModeKHR is unsigned;
VK_PRESENT_MODE_IMMEDIATE_KHR : constant VkPresentModeKHR := 0;
VK_PRESENT_MODE_MAILBOX_KHR : constant VkPresentModeKHR := 1;
VK_PRESENT_MODE_FIFO_KHR : constant VkPresentModeKHR := 2;
VK_PRESENT_MODE_FIFO_RELAXED_KHR : constant VkPresentModeKHR := 3;
VK_PRESENT_MODE_SHARED_DEMAND_REFRESH_KHR : constant VkPresentModeKHR := 1000111000;
VK_PRESENT_MODE_SHARED_CONTINUOUS_REFRESH_KHR : constant VkPresentModeKHR := 1000111001;
VK_PRESENT_MODE_MAX_ENUM_KHR : constant VkPresentModeKHR := 2147483647; -- vulkan_core.h:5690
subtype VkColorSpaceKHR is unsigned;
VK_COLOR_SPACE_SRGB_NONLINEAR_KHR : constant VkColorSpaceKHR := 0;
VK_COLOR_SPACE_DISPLAY_P3_NONLINEAR_EXT : constant VkColorSpaceKHR := 1000104001;
VK_COLOR_SPACE_EXTENDED_SRGB_LINEAR_EXT : constant VkColorSpaceKHR := 1000104002;
VK_COLOR_SPACE_DISPLAY_P3_LINEAR_EXT : constant VkColorSpaceKHR := 1000104003;
VK_COLOR_SPACE_DCI_P3_NONLINEAR_EXT : constant VkColorSpaceKHR := 1000104004;
VK_COLOR_SPACE_BT709_LINEAR_EXT : constant VkColorSpaceKHR := 1000104005;
VK_COLOR_SPACE_BT709_NONLINEAR_EXT : constant VkColorSpaceKHR := 1000104006;
VK_COLOR_SPACE_BT2020_LINEAR_EXT : constant VkColorSpaceKHR := 1000104007;
VK_COLOR_SPACE_HDR10_ST2084_EXT : constant VkColorSpaceKHR := 1000104008;
VK_COLOR_SPACE_DOLBYVISION_EXT : constant VkColorSpaceKHR := 1000104009;
VK_COLOR_SPACE_HDR10_HLG_EXT : constant VkColorSpaceKHR := 1000104010;
VK_COLOR_SPACE_ADOBERGB_LINEAR_EXT : constant VkColorSpaceKHR := 1000104011;
VK_COLOR_SPACE_ADOBERGB_NONLINEAR_EXT : constant VkColorSpaceKHR := 1000104012;
VK_COLOR_SPACE_PASS_THROUGH_EXT : constant VkColorSpaceKHR := 1000104013;
VK_COLOR_SPACE_EXTENDED_SRGB_NONLINEAR_EXT : constant VkColorSpaceKHR := 1000104014;
VK_COLOR_SPACE_DISPLAY_NATIVE_AMD : constant VkColorSpaceKHR := 1000213000;
VK_COLORSPACE_SRGB_NONLINEAR_KHR : constant VkColorSpaceKHR := 0;
VK_COLOR_SPACE_DCI_P3_LINEAR_EXT : constant VkColorSpaceKHR := 1000104003;
VK_COLOR_SPACE_MAX_ENUM_KHR : constant VkColorSpaceKHR := 2147483647; -- vulkan_core.h:5700
subtype VkSurfaceTransformFlagBitsKHR is unsigned;
VK_SURFACE_TRANSFORM_IDENTITY_BIT_KHR : constant VkSurfaceTransformFlagBitsKHR := 1;
VK_SURFACE_TRANSFORM_ROTATE_90_BIT_KHR : constant VkSurfaceTransformFlagBitsKHR := 2;
VK_SURFACE_TRANSFORM_ROTATE_180_BIT_KHR : constant VkSurfaceTransformFlagBitsKHR := 4;
VK_SURFACE_TRANSFORM_ROTATE_270_BIT_KHR : constant VkSurfaceTransformFlagBitsKHR := 8;
VK_SURFACE_TRANSFORM_HORIZONTAL_MIRROR_BIT_KHR : constant VkSurfaceTransformFlagBitsKHR := 16;
VK_SURFACE_TRANSFORM_HORIZONTAL_MIRROR_ROTATE_90_BIT_KHR : constant VkSurfaceTransformFlagBitsKHR := 32;
VK_SURFACE_TRANSFORM_HORIZONTAL_MIRROR_ROTATE_180_BIT_KHR : constant VkSurfaceTransformFlagBitsKHR := 64;
VK_SURFACE_TRANSFORM_HORIZONTAL_MIRROR_ROTATE_270_BIT_KHR : constant VkSurfaceTransformFlagBitsKHR := 128;
VK_SURFACE_TRANSFORM_INHERIT_BIT_KHR : constant VkSurfaceTransformFlagBitsKHR := 256;
VK_SURFACE_TRANSFORM_FLAG_BITS_MAX_ENUM_KHR : constant VkSurfaceTransformFlagBitsKHR := 2147483647; -- vulkan_core.h:5722
subtype VkCompositeAlphaFlagBitsKHR is unsigned;
VK_COMPOSITE_ALPHA_OPAQUE_BIT_KHR : constant VkCompositeAlphaFlagBitsKHR := 1;
VK_COMPOSITE_ALPHA_PRE_MULTIPLIED_BIT_KHR : constant VkCompositeAlphaFlagBitsKHR := 2;
VK_COMPOSITE_ALPHA_POST_MULTIPLIED_BIT_KHR : constant VkCompositeAlphaFlagBitsKHR := 4;
VK_COMPOSITE_ALPHA_INHERIT_BIT_KHR : constant VkCompositeAlphaFlagBitsKHR := 8;
VK_COMPOSITE_ALPHA_FLAG_BITS_MAX_ENUM_KHR : constant VkCompositeAlphaFlagBitsKHR := 2147483647; -- vulkan_core.h:5735
subtype VkCompositeAlphaFlagsKHR is VkFlags; -- vulkan_core.h:5742
subtype VkSurfaceTransformFlagsKHR is VkFlags; -- vulkan_core.h:5743
type VkSurfaceCapabilitiesKHR is record
minImageCount : aliased stdint_h.uint32_t; -- vulkan_core.h:5745
maxImageCount : aliased stdint_h.uint32_t; -- vulkan_core.h:5746
currentExtent : aliased VkExtent2D; -- vulkan_core.h:5747
minImageExtent : aliased VkExtent2D; -- vulkan_core.h:5748
maxImageExtent : aliased VkExtent2D; -- vulkan_core.h:5749
maxImageArrayLayers : aliased stdint_h.uint32_t; -- vulkan_core.h:5750
supportedTransforms : aliased VkSurfaceTransformFlagsKHR; -- vulkan_core.h:5751
currentTransform : aliased VkSurfaceTransformFlagBitsKHR; -- vulkan_core.h:5752
supportedCompositeAlpha : aliased VkCompositeAlphaFlagsKHR; -- vulkan_core.h:5753
supportedUsageFlags : aliased VkImageUsageFlags; -- vulkan_core.h:5754
end record;
pragma Convention (C_Pass_By_Copy, VkSurfaceCapabilitiesKHR); -- vulkan_core.h:5744
type VkSurfaceFormatKHR is record
format : aliased VkFormat; -- vulkan_core.h:5758
colorSpace : aliased VkColorSpaceKHR; -- vulkan_core.h:5759
end record;
pragma Convention (C_Pass_By_Copy, VkSurfaceFormatKHR); -- vulkan_core.h:5757
type PFN_vkDestroySurfaceKHR is access procedure
(arg1 : VkInstance;
arg2 : VkSurfaceKHR;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroySurfaceKHR); -- vulkan_core.h:5762
type PFN_vkGetPhysicalDeviceSurfaceSupportKHR is access function
(arg1 : VkPhysicalDevice;
arg2 : stdint_h.uint32_t;
arg3 : VkSurfaceKHR;
arg4 : access VkBool32) return VkResult;
pragma Convention (C, PFN_vkGetPhysicalDeviceSurfaceSupportKHR); -- vulkan_core.h:5763
type PFN_vkGetPhysicalDeviceSurfaceCapabilitiesKHR is access function
(arg1 : VkPhysicalDevice;
arg2 : VkSurfaceKHR;
arg3 : access VkSurfaceCapabilitiesKHR) return VkResult;
pragma Convention (C, PFN_vkGetPhysicalDeviceSurfaceCapabilitiesKHR); -- vulkan_core.h:5764
type PFN_vkGetPhysicalDeviceSurfaceFormatsKHR is access function
(arg1 : VkPhysicalDevice;
arg2 : VkSurfaceKHR;
arg3 : access stdint_h.uint32_t;
arg4 : access VkSurfaceFormatKHR) return VkResult;
pragma Convention (C, PFN_vkGetPhysicalDeviceSurfaceFormatsKHR); -- vulkan_core.h:5765
type PFN_vkGetPhysicalDeviceSurfacePresentModesKHR is access function
(arg1 : VkPhysicalDevice;
arg2 : VkSurfaceKHR;
arg3 : access stdint_h.uint32_t;
arg4 : access VkPresentModeKHR) return VkResult;
pragma Convention (C, PFN_vkGetPhysicalDeviceSurfacePresentModesKHR); -- vulkan_core.h:5766
procedure vkDestroySurfaceKHR
(instance : VkInstance;
surface : VkSurfaceKHR;
pAllocator : System.Address); -- vulkan_core.h:5769
pragma Import (C, vkDestroySurfaceKHR, "vkDestroySurfaceKHR");
function vkGetPhysicalDeviceSurfaceSupportKHR
(physicalDevice : VkPhysicalDevice;
queueFamilyIndex : stdint_h.uint32_t;
surface : VkSurfaceKHR;
pSupported : access VkBool32) return VkResult; -- vulkan_core.h:5774
pragma Import (C, vkGetPhysicalDeviceSurfaceSupportKHR, "vkGetPhysicalDeviceSurfaceSupportKHR");
function vkGetPhysicalDeviceSurfaceCapabilitiesKHR
(physicalDevice : VkPhysicalDevice;
surface : VkSurfaceKHR;
pSurfaceCapabilities : access VkSurfaceCapabilitiesKHR) return VkResult; -- vulkan_core.h:5780
pragma Import (C, vkGetPhysicalDeviceSurfaceCapabilitiesKHR, "vkGetPhysicalDeviceSurfaceCapabilitiesKHR");
function vkGetPhysicalDeviceSurfaceFormatsKHR
(physicalDevice : VkPhysicalDevice;
surface : VkSurfaceKHR;
pSurfaceFormatCount : access stdint_h.uint32_t;
pSurfaceFormats : access VkSurfaceFormatKHR) return VkResult; -- vulkan_core.h:5785
pragma Import (C, vkGetPhysicalDeviceSurfaceFormatsKHR, "vkGetPhysicalDeviceSurfaceFormatsKHR");
function vkGetPhysicalDeviceSurfacePresentModesKHR
(physicalDevice : VkPhysicalDevice;
surface : VkSurfaceKHR;
pPresentModeCount : access stdint_h.uint32_t;
pPresentModes : access VkPresentModeKHR) return VkResult; -- vulkan_core.h:5791
pragma Import (C, vkGetPhysicalDeviceSurfacePresentModesKHR, "vkGetPhysicalDeviceSurfacePresentModesKHR");
-- skipped empty struct VkSwapchainKHR_T
type VkSwapchainKHR is new System.Address; -- vulkan_core.h:5800
subtype VkSwapchainCreateFlagBitsKHR is unsigned;
VK_SWAPCHAIN_CREATE_SPLIT_INSTANCE_BIND_REGIONS_BIT_KHR : constant VkSwapchainCreateFlagBitsKHR := 1;
VK_SWAPCHAIN_CREATE_PROTECTED_BIT_KHR : constant VkSwapchainCreateFlagBitsKHR := 2;
VK_SWAPCHAIN_CREATE_MUTABLE_FORMAT_BIT_KHR : constant VkSwapchainCreateFlagBitsKHR := 4;
VK_SWAPCHAIN_CREATE_FLAG_BITS_MAX_ENUM_KHR : constant VkSwapchainCreateFlagBitsKHR := 2147483647; -- vulkan_core.h:5804
subtype VkSwapchainCreateFlagsKHR is VkFlags; -- vulkan_core.h:5810
subtype VkDeviceGroupPresentModeFlagBitsKHR is unsigned;
VK_DEVICE_GROUP_PRESENT_MODE_LOCAL_BIT_KHR : constant VkDeviceGroupPresentModeFlagBitsKHR := 1;
VK_DEVICE_GROUP_PRESENT_MODE_REMOTE_BIT_KHR : constant VkDeviceGroupPresentModeFlagBitsKHR := 2;
VK_DEVICE_GROUP_PRESENT_MODE_SUM_BIT_KHR : constant VkDeviceGroupPresentModeFlagBitsKHR := 4;
VK_DEVICE_GROUP_PRESENT_MODE_LOCAL_MULTI_DEVICE_BIT_KHR : constant VkDeviceGroupPresentModeFlagBitsKHR := 8;
VK_DEVICE_GROUP_PRESENT_MODE_FLAG_BITS_MAX_ENUM_KHR : constant VkDeviceGroupPresentModeFlagBitsKHR := 2147483647; -- vulkan_core.h:5812
subtype VkDeviceGroupPresentModeFlagsKHR is VkFlags; -- vulkan_core.h:5819
type VkSwapchainCreateInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:5821
pNext : System.Address; -- vulkan_core.h:5822
flags : aliased VkSwapchainCreateFlagsKHR; -- vulkan_core.h:5823
surface : VkSurfaceKHR; -- vulkan_core.h:5824
minImageCount : aliased stdint_h.uint32_t; -- vulkan_core.h:5825
imageFormat : aliased VkFormat; -- vulkan_core.h:5826
imageColorSpace : aliased VkColorSpaceKHR; -- vulkan_core.h:5827
imageExtent : aliased VkExtent2D; -- vulkan_core.h:5828
imageArrayLayers : aliased stdint_h.uint32_t; -- vulkan_core.h:5829
imageUsage : aliased VkImageUsageFlags; -- vulkan_core.h:5830
imageSharingMode : aliased VkSharingMode; -- vulkan_core.h:5831
queueFamilyIndexCount : aliased stdint_h.uint32_t; -- vulkan_core.h:5832
pQueueFamilyIndices : access stdint_h.uint32_t; -- vulkan_core.h:5833
preTransform : aliased VkSurfaceTransformFlagBitsKHR; -- vulkan_core.h:5834
compositeAlpha : aliased VkCompositeAlphaFlagBitsKHR; -- vulkan_core.h:5835
presentMode : aliased VkPresentModeKHR; -- vulkan_core.h:5836
clipped : aliased VkBool32; -- vulkan_core.h:5837
oldSwapchain : VkSwapchainKHR; -- vulkan_core.h:5838
end record;
pragma Convention (C_Pass_By_Copy, VkSwapchainCreateInfoKHR); -- vulkan_core.h:5820
type VkPresentInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:5842
pNext : System.Address; -- vulkan_core.h:5843
waitSemaphoreCount : aliased stdint_h.uint32_t; -- vulkan_core.h:5844
pWaitSemaphores : System.Address; -- vulkan_core.h:5845
swapchainCount : aliased stdint_h.uint32_t; -- vulkan_core.h:5846
pSwapchains : System.Address; -- vulkan_core.h:5847
pImageIndices : access stdint_h.uint32_t; -- vulkan_core.h:5848
pResults : access VkResult; -- vulkan_core.h:5849
end record;
pragma Convention (C_Pass_By_Copy, VkPresentInfoKHR); -- vulkan_core.h:5841
type VkImageSwapchainCreateInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:5853
pNext : System.Address; -- vulkan_core.h:5854
swapchain : VkSwapchainKHR; -- vulkan_core.h:5855
end record;
pragma Convention (C_Pass_By_Copy, VkImageSwapchainCreateInfoKHR); -- vulkan_core.h:5852
type VkBindImageMemorySwapchainInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:5859
pNext : System.Address; -- vulkan_core.h:5860
swapchain : VkSwapchainKHR; -- vulkan_core.h:5861
imageIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:5862
end record;
pragma Convention (C_Pass_By_Copy, VkBindImageMemorySwapchainInfoKHR); -- vulkan_core.h:5858
type VkAcquireNextImageInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:5866
pNext : System.Address; -- vulkan_core.h:5867
swapchain : VkSwapchainKHR; -- vulkan_core.h:5868
timeout : aliased stdint_h.uint64_t; -- vulkan_core.h:5869
semaphore : VkSemaphore; -- vulkan_core.h:5870
fence : VkFence; -- vulkan_core.h:5871
deviceMask : aliased stdint_h.uint32_t; -- vulkan_core.h:5872
end record;
pragma Convention (C_Pass_By_Copy, VkAcquireNextImageInfoKHR); -- vulkan_core.h:5865
type VkDeviceGroupPresentCapabilitiesKHR_presentMask_array is array (0 .. 31) of aliased stdint_h.uint32_t;
type VkDeviceGroupPresentCapabilitiesKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:5876
pNext : System.Address; -- vulkan_core.h:5877
presentMask : aliased VkDeviceGroupPresentCapabilitiesKHR_presentMask_array; -- vulkan_core.h:5878
modes : aliased VkDeviceGroupPresentModeFlagsKHR; -- vulkan_core.h:5879
end record;
pragma Convention (C_Pass_By_Copy, VkDeviceGroupPresentCapabilitiesKHR); -- vulkan_core.h:5875
type VkDeviceGroupPresentInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:5883
pNext : System.Address; -- vulkan_core.h:5884
swapchainCount : aliased stdint_h.uint32_t; -- vulkan_core.h:5885
pDeviceMasks : access stdint_h.uint32_t; -- vulkan_core.h:5886
mode : aliased VkDeviceGroupPresentModeFlagBitsKHR; -- vulkan_core.h:5887
end record;
pragma Convention (C_Pass_By_Copy, VkDeviceGroupPresentInfoKHR); -- vulkan_core.h:5882
type VkDeviceGroupSwapchainCreateInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:5891
pNext : System.Address; -- vulkan_core.h:5892
modes : aliased VkDeviceGroupPresentModeFlagsKHR; -- vulkan_core.h:5893
end record;
pragma Convention (C_Pass_By_Copy, VkDeviceGroupSwapchainCreateInfoKHR); -- vulkan_core.h:5890
type PFN_vkCreateSwapchainKHR is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateSwapchainKHR); -- vulkan_core.h:5896
type PFN_vkDestroySwapchainKHR is access procedure
(arg1 : VkDevice;
arg2 : VkSwapchainKHR;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroySwapchainKHR); -- vulkan_core.h:5897
type PFN_vkGetSwapchainImagesKHR is access function
(arg1 : VkDevice;
arg2 : VkSwapchainKHR;
arg3 : access stdint_h.uint32_t;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkGetSwapchainImagesKHR); -- vulkan_core.h:5898
type PFN_vkAcquireNextImageKHR is access function
(arg1 : VkDevice;
arg2 : VkSwapchainKHR;
arg3 : stdint_h.uint64_t;
arg4 : VkSemaphore;
arg5 : VkFence;
arg6 : access stdint_h.uint32_t) return VkResult;
pragma Convention (C, PFN_vkAcquireNextImageKHR); -- vulkan_core.h:5899
type PFN_vkQueuePresentKHR is access function (arg1 : VkQueue; arg2 : System.Address) return VkResult;
pragma Convention (C, PFN_vkQueuePresentKHR); -- vulkan_core.h:5900
type PFN_vkGetDeviceGroupPresentCapabilitiesKHR is access function (arg1 : VkDevice; arg2 : access VkDeviceGroupPresentCapabilitiesKHR) return VkResult;
pragma Convention (C, PFN_vkGetDeviceGroupPresentCapabilitiesKHR); -- vulkan_core.h:5901
type PFN_vkGetDeviceGroupSurfacePresentModesKHR is access function
(arg1 : VkDevice;
arg2 : VkSurfaceKHR;
arg3 : access VkDeviceGroupPresentModeFlagsKHR) return VkResult;
pragma Convention (C, PFN_vkGetDeviceGroupSurfacePresentModesKHR); -- vulkan_core.h:5902
type PFN_vkGetPhysicalDevicePresentRectanglesKHR is access function
(arg1 : VkPhysicalDevice;
arg2 : VkSurfaceKHR;
arg3 : access stdint_h.uint32_t;
arg4 : access VkRect2D) return VkResult;
pragma Convention (C, PFN_vkGetPhysicalDevicePresentRectanglesKHR); -- vulkan_core.h:5903
type PFN_vkAcquireNextImage2KHR is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : access stdint_h.uint32_t) return VkResult;
pragma Convention (C, PFN_vkAcquireNextImage2KHR); -- vulkan_core.h:5904
function vkCreateSwapchainKHR
(device : VkDevice;
pCreateInfo : System.Address;
pAllocator : System.Address;
pSwapchain : System.Address) return VkResult; -- vulkan_core.h:5907
pragma Import (C, vkCreateSwapchainKHR, "vkCreateSwapchainKHR");
procedure vkDestroySwapchainKHR
(device : VkDevice;
swapchain : VkSwapchainKHR;
pAllocator : System.Address); -- vulkan_core.h:5913
pragma Import (C, vkDestroySwapchainKHR, "vkDestroySwapchainKHR");
function vkGetSwapchainImagesKHR
(device : VkDevice;
swapchain : VkSwapchainKHR;
pSwapchainImageCount : access stdint_h.uint32_t;
pSwapchainImages : System.Address) return VkResult; -- vulkan_core.h:5918
pragma Import (C, vkGetSwapchainImagesKHR, "vkGetSwapchainImagesKHR");
function vkAcquireNextImageKHR
(device : VkDevice;
swapchain : VkSwapchainKHR;
timeout : stdint_h.uint64_t;
semaphore : VkSemaphore;
fence : VkFence;
pImageIndex : access stdint_h.uint32_t) return VkResult; -- vulkan_core.h:5924
pragma Import (C, vkAcquireNextImageKHR, "vkAcquireNextImageKHR");
function vkQueuePresentKHR (queue : VkQueue; pPresentInfo : System.Address) return VkResult; -- vulkan_core.h:5932
pragma Import (C, vkQueuePresentKHR, "vkQueuePresentKHR");
function vkGetDeviceGroupPresentCapabilitiesKHR (device : VkDevice; pDeviceGroupPresentCapabilities : access VkDeviceGroupPresentCapabilitiesKHR) return VkResult; -- vulkan_core.h:5936
pragma Import (C, vkGetDeviceGroupPresentCapabilitiesKHR, "vkGetDeviceGroupPresentCapabilitiesKHR");
function vkGetDeviceGroupSurfacePresentModesKHR
(device : VkDevice;
surface : VkSurfaceKHR;
pModes : access VkDeviceGroupPresentModeFlagsKHR) return VkResult; -- vulkan_core.h:5940
pragma Import (C, vkGetDeviceGroupSurfacePresentModesKHR, "vkGetDeviceGroupSurfacePresentModesKHR");
function vkGetPhysicalDevicePresentRectanglesKHR
(physicalDevice : VkPhysicalDevice;
surface : VkSurfaceKHR;
pRectCount : access stdint_h.uint32_t;
pRects : access VkRect2D) return VkResult; -- vulkan_core.h:5945
pragma Import (C, vkGetPhysicalDevicePresentRectanglesKHR, "vkGetPhysicalDevicePresentRectanglesKHR");
function vkAcquireNextImage2KHR
(device : VkDevice;
pAcquireInfo : System.Address;
pImageIndex : access stdint_h.uint32_t) return VkResult; -- vulkan_core.h:5951
pragma Import (C, vkAcquireNextImage2KHR, "vkAcquireNextImage2KHR");
type VkDisplayKHR is new System.Address; -- vulkan_core.h:5959
-- skipped empty struct VkDisplayKHR_T
-- skipped empty struct VkDisplayModeKHR_T
type VkDisplayModeKHR is new System.Address; -- vulkan_core.h:5960
subtype VkDisplayModeCreateFlagsKHR is VkFlags; -- vulkan_core.h:5963
subtype VkDisplayPlaneAlphaFlagBitsKHR is unsigned;
VK_DISPLAY_PLANE_ALPHA_OPAQUE_BIT_KHR : constant VkDisplayPlaneAlphaFlagBitsKHR := 1;
VK_DISPLAY_PLANE_ALPHA_GLOBAL_BIT_KHR : constant VkDisplayPlaneAlphaFlagBitsKHR := 2;
VK_DISPLAY_PLANE_ALPHA_PER_PIXEL_BIT_KHR : constant VkDisplayPlaneAlphaFlagBitsKHR := 4;
VK_DISPLAY_PLANE_ALPHA_PER_PIXEL_PREMULTIPLIED_BIT_KHR : constant VkDisplayPlaneAlphaFlagBitsKHR := 8;
VK_DISPLAY_PLANE_ALPHA_FLAG_BITS_MAX_ENUM_KHR : constant VkDisplayPlaneAlphaFlagBitsKHR := 2147483647; -- vulkan_core.h:5965
subtype VkDisplayPlaneAlphaFlagsKHR is VkFlags; -- vulkan_core.h:5972
subtype VkDisplaySurfaceCreateFlagsKHR is VkFlags; -- vulkan_core.h:5973
type VkDisplayModeParametersKHR is record
visibleRegion : aliased VkExtent2D; -- vulkan_core.h:5975
refreshRate : aliased stdint_h.uint32_t; -- vulkan_core.h:5976
end record;
pragma Convention (C_Pass_By_Copy, VkDisplayModeParametersKHR); -- vulkan_core.h:5974
type VkDisplayModeCreateInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:5980
pNext : System.Address; -- vulkan_core.h:5981
flags : aliased VkDisplayModeCreateFlagsKHR; -- vulkan_core.h:5982
parameters : aliased VkDisplayModeParametersKHR; -- vulkan_core.h:5983
end record;
pragma Convention (C_Pass_By_Copy, VkDisplayModeCreateInfoKHR); -- vulkan_core.h:5979
type VkDisplayModePropertiesKHR is record
displayMode : VkDisplayModeKHR; -- vulkan_core.h:5987
parameters : aliased VkDisplayModeParametersKHR; -- vulkan_core.h:5988
end record;
pragma Convention (C_Pass_By_Copy, VkDisplayModePropertiesKHR); -- vulkan_core.h:5986
type VkDisplayPlaneCapabilitiesKHR is record
supportedAlpha : aliased VkDisplayPlaneAlphaFlagsKHR; -- vulkan_core.h:5992
minSrcPosition : aliased VkOffset2D; -- vulkan_core.h:5993
maxSrcPosition : aliased VkOffset2D; -- vulkan_core.h:5994
minSrcExtent : aliased VkExtent2D; -- vulkan_core.h:5995
maxSrcExtent : aliased VkExtent2D; -- vulkan_core.h:5996
minDstPosition : aliased VkOffset2D; -- vulkan_core.h:5997
maxDstPosition : aliased VkOffset2D; -- vulkan_core.h:5998
minDstExtent : aliased VkExtent2D; -- vulkan_core.h:5999
maxDstExtent : aliased VkExtent2D; -- vulkan_core.h:6000
end record;
pragma Convention (C_Pass_By_Copy, VkDisplayPlaneCapabilitiesKHR); -- vulkan_core.h:5991
type VkDisplayPlanePropertiesKHR is record
currentDisplay : VkDisplayKHR; -- vulkan_core.h:6004
currentStackIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:6005
end record;
pragma Convention (C_Pass_By_Copy, VkDisplayPlanePropertiesKHR); -- vulkan_core.h:6003
type VkDisplayPropertiesKHR is record
display : VkDisplayKHR; -- vulkan_core.h:6009
displayName : Interfaces.C.Strings.chars_ptr; -- vulkan_core.h:6010
physicalDimensions : aliased VkExtent2D; -- vulkan_core.h:6011
physicalResolution : aliased VkExtent2D; -- vulkan_core.h:6012
supportedTransforms : aliased VkSurfaceTransformFlagsKHR; -- vulkan_core.h:6013
planeReorderPossible : aliased VkBool32; -- vulkan_core.h:6014
persistentContent : aliased VkBool32; -- vulkan_core.h:6015
end record;
pragma Convention (C_Pass_By_Copy, VkDisplayPropertiesKHR); -- vulkan_core.h:6008
type VkDisplaySurfaceCreateInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:6019
pNext : System.Address; -- vulkan_core.h:6020
flags : aliased VkDisplaySurfaceCreateFlagsKHR; -- vulkan_core.h:6021
displayMode : VkDisplayModeKHR; -- vulkan_core.h:6022
planeIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:6023
planeStackIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:6024
transform : aliased VkSurfaceTransformFlagBitsKHR; -- vulkan_core.h:6025
globalAlpha : aliased float; -- vulkan_core.h:6026
alphaMode : aliased VkDisplayPlaneAlphaFlagBitsKHR; -- vulkan_core.h:6027
imageExtent : aliased VkExtent2D; -- vulkan_core.h:6028
end record;
pragma Convention (C_Pass_By_Copy, VkDisplaySurfaceCreateInfoKHR); -- vulkan_core.h:6018
type PFN_vkGetPhysicalDeviceDisplayPropertiesKHR is access function
(arg1 : VkPhysicalDevice;
arg2 : access stdint_h.uint32_t;
arg3 : access VkDisplayPropertiesKHR) return VkResult;
pragma Convention (C, PFN_vkGetPhysicalDeviceDisplayPropertiesKHR); -- vulkan_core.h:6031
type PFN_vkGetPhysicalDeviceDisplayPlanePropertiesKHR is access function
(arg1 : VkPhysicalDevice;
arg2 : access stdint_h.uint32_t;
arg3 : access VkDisplayPlanePropertiesKHR) return VkResult;
pragma Convention (C, PFN_vkGetPhysicalDeviceDisplayPlanePropertiesKHR); -- vulkan_core.h:6032
type PFN_vkGetDisplayPlaneSupportedDisplaysKHR is access function
(arg1 : VkPhysicalDevice;
arg2 : stdint_h.uint32_t;
arg3 : access stdint_h.uint32_t;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkGetDisplayPlaneSupportedDisplaysKHR); -- vulkan_core.h:6033
type PFN_vkGetDisplayModePropertiesKHR is access function
(arg1 : VkPhysicalDevice;
arg2 : VkDisplayKHR;
arg3 : access stdint_h.uint32_t;
arg4 : access VkDisplayModePropertiesKHR) return VkResult;
pragma Convention (C, PFN_vkGetDisplayModePropertiesKHR); -- vulkan_core.h:6034
type PFN_vkCreateDisplayModeKHR is access function
(arg1 : VkPhysicalDevice;
arg2 : VkDisplayKHR;
arg3 : System.Address;
arg4 : System.Address;
arg5 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateDisplayModeKHR); -- vulkan_core.h:6035
type PFN_vkGetDisplayPlaneCapabilitiesKHR is access function
(arg1 : VkPhysicalDevice;
arg2 : VkDisplayModeKHR;
arg3 : stdint_h.uint32_t;
arg4 : access VkDisplayPlaneCapabilitiesKHR) return VkResult;
pragma Convention (C, PFN_vkGetDisplayPlaneCapabilitiesKHR); -- vulkan_core.h:6036
type PFN_vkCreateDisplayPlaneSurfaceKHR is access function
(arg1 : VkInstance;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateDisplayPlaneSurfaceKHR); -- vulkan_core.h:6037
function vkGetPhysicalDeviceDisplayPropertiesKHR
(physicalDevice : VkPhysicalDevice;
pPropertyCount : access stdint_h.uint32_t;
pProperties : access VkDisplayPropertiesKHR) return VkResult; -- vulkan_core.h:6040
pragma Import (C, vkGetPhysicalDeviceDisplayPropertiesKHR, "vkGetPhysicalDeviceDisplayPropertiesKHR");
function vkGetPhysicalDeviceDisplayPlanePropertiesKHR
(physicalDevice : VkPhysicalDevice;
pPropertyCount : access stdint_h.uint32_t;
pProperties : access VkDisplayPlanePropertiesKHR) return VkResult; -- vulkan_core.h:6045
pragma Import (C, vkGetPhysicalDeviceDisplayPlanePropertiesKHR, "vkGetPhysicalDeviceDisplayPlanePropertiesKHR");
function vkGetDisplayPlaneSupportedDisplaysKHR
(physicalDevice : VkPhysicalDevice;
planeIndex : stdint_h.uint32_t;
pDisplayCount : access stdint_h.uint32_t;
pDisplays : System.Address) return VkResult; -- vulkan_core.h:6050
pragma Import (C, vkGetDisplayPlaneSupportedDisplaysKHR, "vkGetDisplayPlaneSupportedDisplaysKHR");
function vkGetDisplayModePropertiesKHR
(physicalDevice : VkPhysicalDevice;
display : VkDisplayKHR;
pPropertyCount : access stdint_h.uint32_t;
pProperties : access VkDisplayModePropertiesKHR) return VkResult; -- vulkan_core.h:6056
pragma Import (C, vkGetDisplayModePropertiesKHR, "vkGetDisplayModePropertiesKHR");
function vkCreateDisplayModeKHR
(physicalDevice : VkPhysicalDevice;
display : VkDisplayKHR;
pCreateInfo : System.Address;
pAllocator : System.Address;
pMode : System.Address) return VkResult; -- vulkan_core.h:6062
pragma Import (C, vkCreateDisplayModeKHR, "vkCreateDisplayModeKHR");
function vkGetDisplayPlaneCapabilitiesKHR
(physicalDevice : VkPhysicalDevice;
mode : VkDisplayModeKHR;
planeIndex : stdint_h.uint32_t;
pCapabilities : access VkDisplayPlaneCapabilitiesKHR) return VkResult; -- vulkan_core.h:6069
pragma Import (C, vkGetDisplayPlaneCapabilitiesKHR, "vkGetDisplayPlaneCapabilitiesKHR");
function vkCreateDisplayPlaneSurfaceKHR
(instance : VkInstance;
pCreateInfo : System.Address;
pAllocator : System.Address;
pSurface : System.Address) return VkResult; -- vulkan_core.h:6075
pragma Import (C, vkCreateDisplayPlaneSurfaceKHR, "vkCreateDisplayPlaneSurfaceKHR");
type VkDisplayPresentInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:6087
pNext : System.Address; -- vulkan_core.h:6088
srcRect : aliased VkRect2D; -- vulkan_core.h:6089
dstRect : aliased VkRect2D; -- vulkan_core.h:6090
persistent : aliased VkBool32; -- vulkan_core.h:6091
end record;
pragma Convention (C_Pass_By_Copy, VkDisplayPresentInfoKHR); -- vulkan_core.h:6086
type PFN_vkCreateSharedSwapchainsKHR is access function
(arg1 : VkDevice;
arg2 : stdint_h.uint32_t;
arg3 : System.Address;
arg4 : System.Address;
arg5 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateSharedSwapchainsKHR); -- vulkan_core.h:6094
function vkCreateSharedSwapchainsKHR
(device : VkDevice;
swapchainCount : stdint_h.uint32_t;
pCreateInfos : System.Address;
pAllocator : System.Address;
pSwapchains : System.Address) return VkResult; -- vulkan_core.h:6097
pragma Import (C, vkCreateSharedSwapchainsKHR, "vkCreateSharedSwapchainsKHR");
subtype VkRenderPassMultiviewCreateInfoKHR is VkRenderPassMultiviewCreateInfo;
subtype VkPhysicalDeviceMultiviewFeaturesKHR is VkPhysicalDeviceMultiviewFeatures;
subtype VkPhysicalDeviceMultiviewPropertiesKHR is VkPhysicalDeviceMultiviewProperties;
subtype VkPhysicalDeviceFeatures2KHR is VkPhysicalDeviceFeatures2;
subtype VkPhysicalDeviceProperties2KHR is VkPhysicalDeviceProperties2;
subtype VkFormatProperties2KHR is VkFormatProperties2;
subtype VkImageFormatProperties2KHR is VkImageFormatProperties2;
subtype VkPhysicalDeviceImageFormatInfo2KHR is VkPhysicalDeviceImageFormatInfo2;
subtype VkQueueFamilyProperties2KHR is VkQueueFamilyProperties2;
subtype VkPhysicalDeviceMemoryProperties2KHR is VkPhysicalDeviceMemoryProperties2;
subtype VkSparseImageFormatProperties2KHR is VkSparseImageFormatProperties2;
subtype VkPhysicalDeviceSparseImageFormatInfo2KHR is VkPhysicalDeviceSparseImageFormatInfo2;
type PFN_vkGetPhysicalDeviceFeatures2KHR is access procedure (arg1 : VkPhysicalDevice; arg2 : access VkPhysicalDeviceFeatures2);
pragma Convention (C, PFN_vkGetPhysicalDeviceFeatures2KHR); -- vulkan_core.h:6143
type PFN_vkGetPhysicalDeviceProperties2KHR is access procedure (arg1 : VkPhysicalDevice; arg2 : access VkPhysicalDeviceProperties2);
pragma Convention (C, PFN_vkGetPhysicalDeviceProperties2KHR); -- vulkan_core.h:6144
type PFN_vkGetPhysicalDeviceFormatProperties2KHR is access procedure
(arg1 : VkPhysicalDevice;
arg2 : VkFormat;
arg3 : access VkFormatProperties2);
pragma Convention (C, PFN_vkGetPhysicalDeviceFormatProperties2KHR); -- vulkan_core.h:6145
type PFN_vkGetPhysicalDeviceImageFormatProperties2KHR is access function
(arg1 : VkPhysicalDevice;
arg2 : System.Address;
arg3 : access VkImageFormatProperties2) return VkResult;
pragma Convention (C, PFN_vkGetPhysicalDeviceImageFormatProperties2KHR); -- vulkan_core.h:6146
type PFN_vkGetPhysicalDeviceQueueFamilyProperties2KHR is access procedure
(arg1 : VkPhysicalDevice;
arg2 : access stdint_h.uint32_t;
arg3 : access VkQueueFamilyProperties2);
pragma Convention (C, PFN_vkGetPhysicalDeviceQueueFamilyProperties2KHR); -- vulkan_core.h:6147
type PFN_vkGetPhysicalDeviceMemoryProperties2KHR is access procedure (arg1 : VkPhysicalDevice; arg2 : access VkPhysicalDeviceMemoryProperties2);
pragma Convention (C, PFN_vkGetPhysicalDeviceMemoryProperties2KHR); -- vulkan_core.h:6148
type PFN_vkGetPhysicalDeviceSparseImageFormatProperties2KHR is access procedure
(arg1 : VkPhysicalDevice;
arg2 : System.Address;
arg3 : access stdint_h.uint32_t;
arg4 : access VkSparseImageFormatProperties2);
pragma Convention (C, PFN_vkGetPhysicalDeviceSparseImageFormatProperties2KHR); -- vulkan_core.h:6149
procedure vkGetPhysicalDeviceFeatures2KHR (physicalDevice : VkPhysicalDevice; pFeatures : access VkPhysicalDeviceFeatures2); -- vulkan_core.h:6152
pragma Import (C, vkGetPhysicalDeviceFeatures2KHR, "vkGetPhysicalDeviceFeatures2KHR");
procedure vkGetPhysicalDeviceProperties2KHR (physicalDevice : VkPhysicalDevice; pProperties : access VkPhysicalDeviceProperties2); -- vulkan_core.h:6156
pragma Import (C, vkGetPhysicalDeviceProperties2KHR, "vkGetPhysicalDeviceProperties2KHR");
procedure vkGetPhysicalDeviceFormatProperties2KHR
(physicalDevice : VkPhysicalDevice;
format : VkFormat;
pFormatProperties : access VkFormatProperties2); -- vulkan_core.h:6160
pragma Import (C, vkGetPhysicalDeviceFormatProperties2KHR, "vkGetPhysicalDeviceFormatProperties2KHR");
function vkGetPhysicalDeviceImageFormatProperties2KHR
(physicalDevice : VkPhysicalDevice;
pImageFormatInfo : System.Address;
pImageFormatProperties : access VkImageFormatProperties2) return VkResult; -- vulkan_core.h:6165
pragma Import (C, vkGetPhysicalDeviceImageFormatProperties2KHR, "vkGetPhysicalDeviceImageFormatProperties2KHR");
procedure vkGetPhysicalDeviceQueueFamilyProperties2KHR
(physicalDevice : VkPhysicalDevice;
pQueueFamilyPropertyCount : access stdint_h.uint32_t;
pQueueFamilyProperties : access VkQueueFamilyProperties2); -- vulkan_core.h:6170
pragma Import (C, vkGetPhysicalDeviceQueueFamilyProperties2KHR, "vkGetPhysicalDeviceQueueFamilyProperties2KHR");
procedure vkGetPhysicalDeviceMemoryProperties2KHR (physicalDevice : VkPhysicalDevice; pMemoryProperties : access VkPhysicalDeviceMemoryProperties2); -- vulkan_core.h:6175
pragma Import (C, vkGetPhysicalDeviceMemoryProperties2KHR, "vkGetPhysicalDeviceMemoryProperties2KHR");
procedure vkGetPhysicalDeviceSparseImageFormatProperties2KHR
(physicalDevice : VkPhysicalDevice;
pFormatInfo : System.Address;
pPropertyCount : access stdint_h.uint32_t;
pProperties : access VkSparseImageFormatProperties2); -- vulkan_core.h:6179
pragma Import (C, vkGetPhysicalDeviceSparseImageFormatProperties2KHR, "vkGetPhysicalDeviceSparseImageFormatProperties2KHR");
subtype VkPeerMemoryFeatureFlagsKHR is VkPeerMemoryFeatureFlags; -- vulkan_core.h:6190
subtype VkPeerMemoryFeatureFlagBitsKHR is VkPeerMemoryFeatureFlagBits;
subtype VkMemoryAllocateFlagsKHR is VkMemoryAllocateFlags; -- vulkan_core.h:6194
subtype VkMemoryAllocateFlagBitsKHR is VkMemoryAllocateFlagBits;
subtype VkMemoryAllocateFlagsInfoKHR is VkMemoryAllocateFlagsInfo;
subtype VkDeviceGroupRenderPassBeginInfoKHR is VkDeviceGroupRenderPassBeginInfo;
subtype VkDeviceGroupCommandBufferBeginInfoKHR is VkDeviceGroupCommandBufferBeginInfo;
subtype VkDeviceGroupSubmitInfoKHR is VkDeviceGroupSubmitInfo;
subtype VkDeviceGroupBindSparseInfoKHR is VkDeviceGroupBindSparseInfo;
subtype VkBindBufferMemoryDeviceGroupInfoKHR is VkBindBufferMemoryDeviceGroupInfo;
subtype VkBindImageMemoryDeviceGroupInfoKHR is VkBindImageMemoryDeviceGroupInfo;
type PFN_vkGetDeviceGroupPeerMemoryFeaturesKHR is access procedure
(arg1 : VkDevice;
arg2 : stdint_h.uint32_t;
arg3 : stdint_h.uint32_t;
arg4 : stdint_h.uint32_t;
arg5 : access VkPeerMemoryFeatureFlags);
pragma Convention (C, PFN_vkGetDeviceGroupPeerMemoryFeaturesKHR); -- vulkan_core.h:6212
type PFN_vkCmdSetDeviceMaskKHR is access procedure (arg1 : VkCommandBuffer; arg2 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdSetDeviceMaskKHR); -- vulkan_core.h:6213
type PFN_vkCmdDispatchBaseKHR is access procedure
(arg1 : VkCommandBuffer;
arg2 : stdint_h.uint32_t;
arg3 : stdint_h.uint32_t;
arg4 : stdint_h.uint32_t;
arg5 : stdint_h.uint32_t;
arg6 : stdint_h.uint32_t;
arg7 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdDispatchBaseKHR); -- vulkan_core.h:6214
procedure vkGetDeviceGroupPeerMemoryFeaturesKHR
(device : VkDevice;
heapIndex : stdint_h.uint32_t;
localDeviceIndex : stdint_h.uint32_t;
remoteDeviceIndex : stdint_h.uint32_t;
pPeerMemoryFeatures : access VkPeerMemoryFeatureFlags); -- vulkan_core.h:6217
pragma Import (C, vkGetDeviceGroupPeerMemoryFeaturesKHR, "vkGetDeviceGroupPeerMemoryFeaturesKHR");
procedure vkCmdSetDeviceMaskKHR (commandBuffer : VkCommandBuffer; deviceMask : stdint_h.uint32_t); -- vulkan_core.h:6224
pragma Import (C, vkCmdSetDeviceMaskKHR, "vkCmdSetDeviceMaskKHR");
procedure vkCmdDispatchBaseKHR
(commandBuffer : VkCommandBuffer;
baseGroupX : stdint_h.uint32_t;
baseGroupY : stdint_h.uint32_t;
baseGroupZ : stdint_h.uint32_t;
groupCountX : stdint_h.uint32_t;
groupCountY : stdint_h.uint32_t;
groupCountZ : stdint_h.uint32_t); -- vulkan_core.h:6228
pragma Import (C, vkCmdDispatchBaseKHR, "vkCmdDispatchBaseKHR");
subtype VkCommandPoolTrimFlagsKHR is VkCommandPoolTrimFlags; -- vulkan_core.h:6247
type PFN_vkTrimCommandPoolKHR is access procedure
(arg1 : VkDevice;
arg2 : VkCommandPool;
arg3 : VkCommandPoolTrimFlags);
pragma Convention (C, PFN_vkTrimCommandPoolKHR); -- vulkan_core.h:6249
procedure vkTrimCommandPoolKHR
(device : VkDevice;
commandPool : VkCommandPool;
flags : VkCommandPoolTrimFlags); -- vulkan_core.h:6252
pragma Import (C, vkTrimCommandPoolKHR, "vkTrimCommandPoolKHR");
subtype VkPhysicalDeviceGroupPropertiesKHR is VkPhysicalDeviceGroupProperties;
subtype VkDeviceGroupDeviceCreateInfoKHR is VkDeviceGroupDeviceCreateInfo;
type PFN_vkEnumeratePhysicalDeviceGroupsKHR is access function
(arg1 : VkInstance;
arg2 : access stdint_h.uint32_t;
arg3 : access VkPhysicalDeviceGroupProperties) return VkResult;
pragma Convention (C, PFN_vkEnumeratePhysicalDeviceGroupsKHR); -- vulkan_core.h:6267
function vkEnumeratePhysicalDeviceGroupsKHR
(instance : VkInstance;
pPhysicalDeviceGroupCount : access stdint_h.uint32_t;
pPhysicalDeviceGroupProperties : access VkPhysicalDeviceGroupProperties) return VkResult; -- vulkan_core.h:6270
pragma Import (C, vkEnumeratePhysicalDeviceGroupsKHR, "vkEnumeratePhysicalDeviceGroupsKHR");
subtype VkExternalMemoryHandleTypeFlagsKHR is VkExternalMemoryHandleTypeFlags; -- vulkan_core.h:6281
subtype VkExternalMemoryHandleTypeFlagBitsKHR is VkExternalMemoryHandleTypeFlagBits;
subtype VkExternalMemoryFeatureFlagsKHR is VkExternalMemoryFeatureFlags; -- vulkan_core.h:6285
subtype VkExternalMemoryFeatureFlagBitsKHR is VkExternalMemoryFeatureFlagBits;
subtype VkExternalMemoryPropertiesKHR is VkExternalMemoryProperties;
subtype VkPhysicalDeviceExternalImageFormatInfoKHR is VkPhysicalDeviceExternalImageFormatInfo;
subtype VkExternalImageFormatPropertiesKHR is VkExternalImageFormatProperties;
subtype VkPhysicalDeviceExternalBufferInfoKHR is VkPhysicalDeviceExternalBufferInfo;
subtype VkExternalBufferPropertiesKHR is VkExternalBufferProperties;
subtype VkPhysicalDeviceIDPropertiesKHR is VkPhysicalDeviceIDProperties;
type PFN_vkGetPhysicalDeviceExternalBufferPropertiesKHR is access procedure
(arg1 : VkPhysicalDevice;
arg2 : System.Address;
arg3 : access VkExternalBufferProperties);
pragma Convention (C, PFN_vkGetPhysicalDeviceExternalBufferPropertiesKHR); -- vulkan_core.h:6301
procedure vkGetPhysicalDeviceExternalBufferPropertiesKHR
(physicalDevice : VkPhysicalDevice;
pExternalBufferInfo : System.Address;
pExternalBufferProperties : access VkExternalBufferProperties); -- vulkan_core.h:6304
pragma Import (C, vkGetPhysicalDeviceExternalBufferPropertiesKHR, "vkGetPhysicalDeviceExternalBufferPropertiesKHR");
subtype VkExternalMemoryImageCreateInfoKHR is VkExternalMemoryImageCreateInfo;
subtype VkExternalMemoryBufferCreateInfoKHR is VkExternalMemoryBufferCreateInfo;
subtype VkExportMemoryAllocateInfoKHR is VkExportMemoryAllocateInfo;
type VkImportMemoryFdInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:6327
pNext : System.Address; -- vulkan_core.h:6328
handleType : aliased VkExternalMemoryHandleTypeFlagBits; -- vulkan_core.h:6329
fd : aliased int; -- vulkan_core.h:6330
end record;
pragma Convention (C_Pass_By_Copy, VkImportMemoryFdInfoKHR); -- vulkan_core.h:6326
type VkMemoryFdPropertiesKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:6334
pNext : System.Address; -- vulkan_core.h:6335
memoryTypeBits : aliased stdint_h.uint32_t; -- vulkan_core.h:6336
end record;
pragma Convention (C_Pass_By_Copy, VkMemoryFdPropertiesKHR); -- vulkan_core.h:6333
type VkMemoryGetFdInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:6340
pNext : System.Address; -- vulkan_core.h:6341
memory : VkDeviceMemory; -- vulkan_core.h:6342
handleType : aliased VkExternalMemoryHandleTypeFlagBits; -- vulkan_core.h:6343
end record;
pragma Convention (C_Pass_By_Copy, VkMemoryGetFdInfoKHR); -- vulkan_core.h:6339
type PFN_vkGetMemoryFdKHR is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : access int) return VkResult;
pragma Convention (C, PFN_vkGetMemoryFdKHR); -- vulkan_core.h:6346
type PFN_vkGetMemoryFdPropertiesKHR is access function
(arg1 : VkDevice;
arg2 : VkExternalMemoryHandleTypeFlagBits;
arg3 : int;
arg4 : access VkMemoryFdPropertiesKHR) return VkResult;
pragma Convention (C, PFN_vkGetMemoryFdPropertiesKHR); -- vulkan_core.h:6347
function vkGetMemoryFdKHR
(device : VkDevice;
pGetFdInfo : System.Address;
pFd : access int) return VkResult; -- vulkan_core.h:6350
pragma Import (C, vkGetMemoryFdKHR, "vkGetMemoryFdKHR");
function vkGetMemoryFdPropertiesKHR
(device : VkDevice;
handleType : VkExternalMemoryHandleTypeFlagBits;
fd : int;
pMemoryFdProperties : access VkMemoryFdPropertiesKHR) return VkResult; -- vulkan_core.h:6355
pragma Import (C, vkGetMemoryFdPropertiesKHR, "vkGetMemoryFdPropertiesKHR");
subtype VkExternalSemaphoreHandleTypeFlagsKHR is VkExternalSemaphoreHandleTypeFlags; -- vulkan_core.h:6366
subtype VkExternalSemaphoreHandleTypeFlagBitsKHR is VkExternalSemaphoreHandleTypeFlagBits;
subtype VkExternalSemaphoreFeatureFlagsKHR is VkExternalSemaphoreFeatureFlags; -- vulkan_core.h:6370
subtype VkExternalSemaphoreFeatureFlagBitsKHR is VkExternalSemaphoreFeatureFlagBits;
subtype VkPhysicalDeviceExternalSemaphoreInfoKHR is VkPhysicalDeviceExternalSemaphoreInfo;
subtype VkExternalSemaphorePropertiesKHR is VkExternalSemaphoreProperties;
type PFN_vkGetPhysicalDeviceExternalSemaphorePropertiesKHR is access procedure
(arg1 : VkPhysicalDevice;
arg2 : System.Address;
arg3 : access VkExternalSemaphoreProperties);
pragma Convention (C, PFN_vkGetPhysicalDeviceExternalSemaphorePropertiesKHR); -- vulkan_core.h:6378
procedure vkGetPhysicalDeviceExternalSemaphorePropertiesKHR
(physicalDevice : VkPhysicalDevice;
pExternalSemaphoreInfo : System.Address;
pExternalSemaphoreProperties : access VkExternalSemaphoreProperties); -- vulkan_core.h:6381
pragma Import (C, vkGetPhysicalDeviceExternalSemaphorePropertiesKHR, "vkGetPhysicalDeviceExternalSemaphorePropertiesKHR");
subtype VkSemaphoreImportFlagsKHR is VkSemaphoreImportFlags; -- vulkan_core.h:6391
subtype VkSemaphoreImportFlagBitsKHR is VkSemaphoreImportFlagBits;
subtype VkExportSemaphoreCreateInfoKHR is VkExportSemaphoreCreateInfo;
type VkImportSemaphoreFdInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:6403
pNext : System.Address; -- vulkan_core.h:6404
semaphore : VkSemaphore; -- vulkan_core.h:6405
flags : aliased VkSemaphoreImportFlags; -- vulkan_core.h:6406
handleType : aliased VkExternalSemaphoreHandleTypeFlagBits; -- vulkan_core.h:6407
fd : aliased int; -- vulkan_core.h:6408
end record;
pragma Convention (C_Pass_By_Copy, VkImportSemaphoreFdInfoKHR); -- vulkan_core.h:6402
type VkSemaphoreGetFdInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:6412
pNext : System.Address; -- vulkan_core.h:6413
semaphore : VkSemaphore; -- vulkan_core.h:6414
handleType : aliased VkExternalSemaphoreHandleTypeFlagBits; -- vulkan_core.h:6415
end record;
pragma Convention (C_Pass_By_Copy, VkSemaphoreGetFdInfoKHR); -- vulkan_core.h:6411
type PFN_vkImportSemaphoreFdKHR is access function (arg1 : VkDevice; arg2 : System.Address) return VkResult;
pragma Convention (C, PFN_vkImportSemaphoreFdKHR); -- vulkan_core.h:6418
type PFN_vkGetSemaphoreFdKHR is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : access int) return VkResult;
pragma Convention (C, PFN_vkGetSemaphoreFdKHR); -- vulkan_core.h:6419
function vkImportSemaphoreFdKHR (device : VkDevice; pImportSemaphoreFdInfo : System.Address) return VkResult; -- vulkan_core.h:6422
pragma Import (C, vkImportSemaphoreFdKHR, "vkImportSemaphoreFdKHR");
function vkGetSemaphoreFdKHR
(device : VkDevice;
pGetFdInfo : System.Address;
pFd : access int) return VkResult; -- vulkan_core.h:6426
pragma Import (C, vkGetSemaphoreFdKHR, "vkGetSemaphoreFdKHR");
type VkPhysicalDevicePushDescriptorPropertiesKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:6437
pNext : System.Address; -- vulkan_core.h:6438
maxPushDescriptors : aliased stdint_h.uint32_t; -- vulkan_core.h:6439
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDevicePushDescriptorPropertiesKHR); -- vulkan_core.h:6436
type PFN_vkCmdPushDescriptorSetKHR is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkPipelineBindPoint;
arg3 : VkPipelineLayout;
arg4 : stdint_h.uint32_t;
arg5 : stdint_h.uint32_t;
arg6 : System.Address);
pragma Convention (C, PFN_vkCmdPushDescriptorSetKHR); -- vulkan_core.h:6442
type PFN_vkCmdPushDescriptorSetWithTemplateKHR is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkDescriptorUpdateTemplate;
arg3 : VkPipelineLayout;
arg4 : stdint_h.uint32_t;
arg5 : System.Address);
pragma Convention (C, PFN_vkCmdPushDescriptorSetWithTemplateKHR); -- vulkan_core.h:6443
procedure vkCmdPushDescriptorSetKHR
(commandBuffer : VkCommandBuffer;
pipelineBindPoint : VkPipelineBindPoint;
layout : VkPipelineLayout;
set : stdint_h.uint32_t;
descriptorWriteCount : stdint_h.uint32_t;
pDescriptorWrites : System.Address); -- vulkan_core.h:6446
pragma Import (C, vkCmdPushDescriptorSetKHR, "vkCmdPushDescriptorSetKHR");
procedure vkCmdPushDescriptorSetWithTemplateKHR
(commandBuffer : VkCommandBuffer;
descriptorUpdateTemplate : VkDescriptorUpdateTemplate;
layout : VkPipelineLayout;
set : stdint_h.uint32_t;
pData : System.Address); -- vulkan_core.h:6454
pragma Import (C, vkCmdPushDescriptorSetWithTemplateKHR, "vkCmdPushDescriptorSetWithTemplateKHR");
subtype VkPhysicalDeviceShaderFloat16Int8FeaturesKHR is VkPhysicalDeviceShaderFloat16Int8Features;
subtype VkPhysicalDeviceFloat16Int8FeaturesKHR is VkPhysicalDeviceShaderFloat16Int8Features;
subtype VkPhysicalDevice16BitStorageFeaturesKHR is VkPhysicalDevice16BitStorageFeatures;
type VkRectLayerKHR is record
offset : aliased VkOffset2D; -- vulkan_core.h:6483
extent : aliased VkExtent2D; -- vulkan_core.h:6484
layer : aliased stdint_h.uint32_t; -- vulkan_core.h:6485
end record;
pragma Convention (C_Pass_By_Copy, VkRectLayerKHR); -- vulkan_core.h:6482
type VkPresentRegionKHR is record
rectangleCount : aliased stdint_h.uint32_t; -- vulkan_core.h:6489
pRectangles : System.Address; -- vulkan_core.h:6490
end record;
pragma Convention (C_Pass_By_Copy, VkPresentRegionKHR); -- vulkan_core.h:6488
type VkPresentRegionsKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:6494
pNext : System.Address; -- vulkan_core.h:6495
swapchainCount : aliased stdint_h.uint32_t; -- vulkan_core.h:6496
pRegions : System.Address; -- vulkan_core.h:6497
end record;
pragma Convention (C_Pass_By_Copy, VkPresentRegionsKHR); -- vulkan_core.h:6493
subtype VkDescriptorUpdateTemplateKHR is VkDescriptorUpdateTemplate; -- vulkan_core.h:6503
subtype VkDescriptorUpdateTemplateTypeKHR is VkDescriptorUpdateTemplateType;
subtype VkDescriptorUpdateTemplateCreateFlagsKHR is VkDescriptorUpdateTemplateCreateFlags; -- vulkan_core.h:6509
subtype VkDescriptorUpdateTemplateEntryKHR is VkDescriptorUpdateTemplateEntry;
subtype VkDescriptorUpdateTemplateCreateInfoKHR is VkDescriptorUpdateTemplateCreateInfo;
type PFN_vkCreateDescriptorUpdateTemplateKHR is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateDescriptorUpdateTemplateKHR); -- vulkan_core.h:6515
type PFN_vkDestroyDescriptorUpdateTemplateKHR is access procedure
(arg1 : VkDevice;
arg2 : VkDescriptorUpdateTemplate;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroyDescriptorUpdateTemplateKHR); -- vulkan_core.h:6516
type PFN_vkUpdateDescriptorSetWithTemplateKHR is access procedure
(arg1 : VkDevice;
arg2 : VkDescriptorSet;
arg3 : VkDescriptorUpdateTemplate;
arg4 : System.Address);
pragma Convention (C, PFN_vkUpdateDescriptorSetWithTemplateKHR); -- vulkan_core.h:6517
function vkCreateDescriptorUpdateTemplateKHR
(device : VkDevice;
pCreateInfo : System.Address;
pAllocator : System.Address;
pDescriptorUpdateTemplate : System.Address) return VkResult; -- vulkan_core.h:6520
pragma Import (C, vkCreateDescriptorUpdateTemplateKHR, "vkCreateDescriptorUpdateTemplateKHR");
procedure vkDestroyDescriptorUpdateTemplateKHR
(device : VkDevice;
descriptorUpdateTemplate : VkDescriptorUpdateTemplate;
pAllocator : System.Address); -- vulkan_core.h:6526
pragma Import (C, vkDestroyDescriptorUpdateTemplateKHR, "vkDestroyDescriptorUpdateTemplateKHR");
procedure vkUpdateDescriptorSetWithTemplateKHR
(device : VkDevice;
descriptorSet : VkDescriptorSet;
descriptorUpdateTemplate : VkDescriptorUpdateTemplate;
pData : System.Address); -- vulkan_core.h:6531
pragma Import (C, vkUpdateDescriptorSetWithTemplateKHR, "vkUpdateDescriptorSetWithTemplateKHR");
subtype VkPhysicalDeviceImagelessFramebufferFeaturesKHR is VkPhysicalDeviceImagelessFramebufferFeatures;
subtype VkFramebufferAttachmentsCreateInfoKHR is VkFramebufferAttachmentsCreateInfo;
subtype VkFramebufferAttachmentImageInfoKHR is VkFramebufferAttachmentImageInfo;
subtype VkRenderPassAttachmentBeginInfoKHR is VkRenderPassAttachmentBeginInfo;
subtype VkRenderPassCreateInfo2KHR is VkRenderPassCreateInfo2;
subtype VkAttachmentDescription2KHR is VkAttachmentDescription2;
subtype VkAttachmentReference2KHR is VkAttachmentReference2;
subtype VkSubpassDescription2KHR is VkSubpassDescription2;
subtype VkSubpassDependency2KHR is VkSubpassDependency2;
subtype VkSubpassBeginInfoKHR is VkSubpassBeginInfo;
subtype VkSubpassEndInfoKHR is VkSubpassEndInfo;
type PFN_vkCreateRenderPass2KHR is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateRenderPass2KHR); -- vulkan_core.h:6569
type PFN_vkCmdBeginRenderPass2KHR is access procedure
(arg1 : VkCommandBuffer;
arg2 : System.Address;
arg3 : System.Address);
pragma Convention (C, PFN_vkCmdBeginRenderPass2KHR); -- vulkan_core.h:6570
type PFN_vkCmdNextSubpass2KHR is access procedure
(arg1 : VkCommandBuffer;
arg2 : System.Address;
arg3 : System.Address);
pragma Convention (C, PFN_vkCmdNextSubpass2KHR); -- vulkan_core.h:6571
type PFN_vkCmdEndRenderPass2KHR is access procedure (arg1 : VkCommandBuffer; arg2 : System.Address);
pragma Convention (C, PFN_vkCmdEndRenderPass2KHR); -- vulkan_core.h:6572
function vkCreateRenderPass2KHR
(device : VkDevice;
pCreateInfo : System.Address;
pAllocator : System.Address;
pRenderPass : System.Address) return VkResult; -- vulkan_core.h:6575
pragma Import (C, vkCreateRenderPass2KHR, "vkCreateRenderPass2KHR");
procedure vkCmdBeginRenderPass2KHR
(commandBuffer : VkCommandBuffer;
pRenderPassBegin : System.Address;
pSubpassBeginInfo : System.Address); -- vulkan_core.h:6581
pragma Import (C, vkCmdBeginRenderPass2KHR, "vkCmdBeginRenderPass2KHR");
procedure vkCmdNextSubpass2KHR
(commandBuffer : VkCommandBuffer;
pSubpassBeginInfo : System.Address;
pSubpassEndInfo : System.Address); -- vulkan_core.h:6586
pragma Import (C, vkCmdNextSubpass2KHR, "vkCmdNextSubpass2KHR");
procedure vkCmdEndRenderPass2KHR (commandBuffer : VkCommandBuffer; pSubpassEndInfo : System.Address); -- vulkan_core.h:6591
pragma Import (C, vkCmdEndRenderPass2KHR, "vkCmdEndRenderPass2KHR");
type VkSharedPresentSurfaceCapabilitiesKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:6601
pNext : System.Address; -- vulkan_core.h:6602
sharedPresentSupportedUsageFlags : aliased VkImageUsageFlags; -- vulkan_core.h:6603
end record;
pragma Convention (C_Pass_By_Copy, VkSharedPresentSurfaceCapabilitiesKHR); -- vulkan_core.h:6600
type PFN_vkGetSwapchainStatusKHR is access function (arg1 : VkDevice; arg2 : VkSwapchainKHR) return VkResult;
pragma Convention (C, PFN_vkGetSwapchainStatusKHR); -- vulkan_core.h:6606
function vkGetSwapchainStatusKHR (device : VkDevice; swapchain : VkSwapchainKHR) return VkResult; -- vulkan_core.h:6609
pragma Import (C, vkGetSwapchainStatusKHR, "vkGetSwapchainStatusKHR");
subtype VkExternalFenceHandleTypeFlagsKHR is VkExternalFenceHandleTypeFlags; -- vulkan_core.h:6618
subtype VkExternalFenceHandleTypeFlagBitsKHR is VkExternalFenceHandleTypeFlagBits;
subtype VkExternalFenceFeatureFlagsKHR is VkExternalFenceFeatureFlags; -- vulkan_core.h:6622
subtype VkExternalFenceFeatureFlagBitsKHR is VkExternalFenceFeatureFlagBits;
subtype VkPhysicalDeviceExternalFenceInfoKHR is VkPhysicalDeviceExternalFenceInfo;
subtype VkExternalFencePropertiesKHR is VkExternalFenceProperties;
type PFN_vkGetPhysicalDeviceExternalFencePropertiesKHR is access procedure
(arg1 : VkPhysicalDevice;
arg2 : System.Address;
arg3 : access VkExternalFenceProperties);
pragma Convention (C, PFN_vkGetPhysicalDeviceExternalFencePropertiesKHR); -- vulkan_core.h:6630
procedure vkGetPhysicalDeviceExternalFencePropertiesKHR
(physicalDevice : VkPhysicalDevice;
pExternalFenceInfo : System.Address;
pExternalFenceProperties : access VkExternalFenceProperties); -- vulkan_core.h:6633
pragma Import (C, vkGetPhysicalDeviceExternalFencePropertiesKHR, "vkGetPhysicalDeviceExternalFencePropertiesKHR");
subtype VkFenceImportFlagsKHR is VkFenceImportFlags; -- vulkan_core.h:6643
subtype VkFenceImportFlagBitsKHR is VkFenceImportFlagBits;
subtype VkExportFenceCreateInfoKHR is VkExportFenceCreateInfo;
type VkImportFenceFdInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:6655
pNext : System.Address; -- vulkan_core.h:6656
fence : VkFence; -- vulkan_core.h:6657
flags : aliased VkFenceImportFlags; -- vulkan_core.h:6658
handleType : aliased VkExternalFenceHandleTypeFlagBits; -- vulkan_core.h:6659
fd : aliased int; -- vulkan_core.h:6660
end record;
pragma Convention (C_Pass_By_Copy, VkImportFenceFdInfoKHR); -- vulkan_core.h:6654
type VkFenceGetFdInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:6664
pNext : System.Address; -- vulkan_core.h:6665
fence : VkFence; -- vulkan_core.h:6666
handleType : aliased VkExternalFenceHandleTypeFlagBits; -- vulkan_core.h:6667
end record;
pragma Convention (C_Pass_By_Copy, VkFenceGetFdInfoKHR); -- vulkan_core.h:6663
type PFN_vkImportFenceFdKHR is access function (arg1 : VkDevice; arg2 : System.Address) return VkResult;
pragma Convention (C, PFN_vkImportFenceFdKHR); -- vulkan_core.h:6670
type PFN_vkGetFenceFdKHR is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : access int) return VkResult;
pragma Convention (C, PFN_vkGetFenceFdKHR); -- vulkan_core.h:6671
function vkImportFenceFdKHR (device : VkDevice; pImportFenceFdInfo : System.Address) return VkResult; -- vulkan_core.h:6674
pragma Import (C, vkImportFenceFdKHR, "vkImportFenceFdKHR");
function vkGetFenceFdKHR
(device : VkDevice;
pGetFdInfo : System.Address;
pFd : access int) return VkResult; -- vulkan_core.h:6678
pragma Import (C, vkGetFenceFdKHR, "vkGetFenceFdKHR");
subtype VkPerformanceCounterUnitKHR is unsigned;
VK_PERFORMANCE_COUNTER_UNIT_GENERIC_KHR : constant VkPerformanceCounterUnitKHR := 0;
VK_PERFORMANCE_COUNTER_UNIT_PERCENTAGE_KHR : constant VkPerformanceCounterUnitKHR := 1;
VK_PERFORMANCE_COUNTER_UNIT_NANOSECONDS_KHR : constant VkPerformanceCounterUnitKHR := 2;
VK_PERFORMANCE_COUNTER_UNIT_BYTES_KHR : constant VkPerformanceCounterUnitKHR := 3;
VK_PERFORMANCE_COUNTER_UNIT_BYTES_PER_SECOND_KHR : constant VkPerformanceCounterUnitKHR := 4;
VK_PERFORMANCE_COUNTER_UNIT_KELVIN_KHR : constant VkPerformanceCounterUnitKHR := 5;
VK_PERFORMANCE_COUNTER_UNIT_WATTS_KHR : constant VkPerformanceCounterUnitKHR := 6;
VK_PERFORMANCE_COUNTER_UNIT_VOLTS_KHR : constant VkPerformanceCounterUnitKHR := 7;
VK_PERFORMANCE_COUNTER_UNIT_AMPS_KHR : constant VkPerformanceCounterUnitKHR := 8;
VK_PERFORMANCE_COUNTER_UNIT_HERTZ_KHR : constant VkPerformanceCounterUnitKHR := 9;
VK_PERFORMANCE_COUNTER_UNIT_CYCLES_KHR : constant VkPerformanceCounterUnitKHR := 10;
VK_PERFORMANCE_COUNTER_UNIT_MAX_ENUM_KHR : constant VkPerformanceCounterUnitKHR := 2147483647; -- vulkan_core.h:6689
subtype VkPerformanceCounterScopeKHR is unsigned;
VK_PERFORMANCE_COUNTER_SCOPE_COMMAND_BUFFER_KHR : constant VkPerformanceCounterScopeKHR := 0;
VK_PERFORMANCE_COUNTER_SCOPE_RENDER_PASS_KHR : constant VkPerformanceCounterScopeKHR := 1;
VK_PERFORMANCE_COUNTER_SCOPE_COMMAND_KHR : constant VkPerformanceCounterScopeKHR := 2;
VK_QUERY_SCOPE_COMMAND_BUFFER_KHR : constant VkPerformanceCounterScopeKHR := 0;
VK_QUERY_SCOPE_RENDER_PASS_KHR : constant VkPerformanceCounterScopeKHR := 1;
VK_QUERY_SCOPE_COMMAND_KHR : constant VkPerformanceCounterScopeKHR := 2;
VK_PERFORMANCE_COUNTER_SCOPE_MAX_ENUM_KHR : constant VkPerformanceCounterScopeKHR := 2147483647; -- vulkan_core.h:6704
subtype VkPerformanceCounterStorageKHR is unsigned;
VK_PERFORMANCE_COUNTER_STORAGE_INT32_KHR : constant VkPerformanceCounterStorageKHR := 0;
VK_PERFORMANCE_COUNTER_STORAGE_INT64_KHR : constant VkPerformanceCounterStorageKHR := 1;
VK_PERFORMANCE_COUNTER_STORAGE_UINT32_KHR : constant VkPerformanceCounterStorageKHR := 2;
VK_PERFORMANCE_COUNTER_STORAGE_UINT64_KHR : constant VkPerformanceCounterStorageKHR := 3;
VK_PERFORMANCE_COUNTER_STORAGE_FLOAT32_KHR : constant VkPerformanceCounterStorageKHR := 4;
VK_PERFORMANCE_COUNTER_STORAGE_FLOAT64_KHR : constant VkPerformanceCounterStorageKHR := 5;
VK_PERFORMANCE_COUNTER_STORAGE_MAX_ENUM_KHR : constant VkPerformanceCounterStorageKHR := 2147483647; -- vulkan_core.h:6714
subtype VkPerformanceCounterDescriptionFlagBitsKHR is unsigned;
VK_PERFORMANCE_COUNTER_DESCRIPTION_PERFORMANCE_IMPACTING_BIT_KHR : constant VkPerformanceCounterDescriptionFlagBitsKHR := 1;
VK_PERFORMANCE_COUNTER_DESCRIPTION_CONCURRENTLY_IMPACTED_BIT_KHR : constant VkPerformanceCounterDescriptionFlagBitsKHR := 2;
VK_PERFORMANCE_COUNTER_DESCRIPTION_PERFORMANCE_IMPACTING_KHR : constant VkPerformanceCounterDescriptionFlagBitsKHR := 1;
VK_PERFORMANCE_COUNTER_DESCRIPTION_CONCURRENTLY_IMPACTED_KHR : constant VkPerformanceCounterDescriptionFlagBitsKHR := 2;
VK_PERFORMANCE_COUNTER_DESCRIPTION_FLAG_BITS_MAX_ENUM_KHR : constant VkPerformanceCounterDescriptionFlagBitsKHR := 2147483647; -- vulkan_core.h:6724
subtype VkPerformanceCounterDescriptionFlagsKHR is VkFlags; -- vulkan_core.h:6731
subtype VkAcquireProfilingLockFlagBitsKHR is unsigned;
VK_ACQUIRE_PROFILING_LOCK_FLAG_BITS_MAX_ENUM_KHR : constant VkAcquireProfilingLockFlagBitsKHR := 2147483647; -- vulkan_core.h:6733
subtype VkAcquireProfilingLockFlagsKHR is VkFlags; -- vulkan_core.h:6736
type VkPhysicalDevicePerformanceQueryFeaturesKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:6738
pNext : System.Address; -- vulkan_core.h:6739
performanceCounterQueryPools : aliased VkBool32; -- vulkan_core.h:6740
performanceCounterMultipleQueryPools : aliased VkBool32; -- vulkan_core.h:6741
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDevicePerformanceQueryFeaturesKHR); -- vulkan_core.h:6737
type VkPhysicalDevicePerformanceQueryPropertiesKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:6745
pNext : System.Address; -- vulkan_core.h:6746
allowCommandBufferQueryCopies : aliased VkBool32; -- vulkan_core.h:6747
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDevicePerformanceQueryPropertiesKHR); -- vulkan_core.h:6744
type VkPerformanceCounterKHR_uuid_array is array (0 .. 15) of aliased stdint_h.uint8_t;
type VkPerformanceCounterKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:6751
pNext : System.Address; -- vulkan_core.h:6752
unit : aliased VkPerformanceCounterUnitKHR; -- vulkan_core.h:6753
scope : aliased VkPerformanceCounterScopeKHR; -- vulkan_core.h:6754
storage : aliased VkPerformanceCounterStorageKHR; -- vulkan_core.h:6755
uuid : aliased VkPerformanceCounterKHR_uuid_array; -- vulkan_core.h:6756
end record;
pragma Convention (C_Pass_By_Copy, VkPerformanceCounterKHR); -- vulkan_core.h:6750
subtype VkPerformanceCounterDescriptionKHR_name_array is Interfaces.C.char_array (0 .. 255);
subtype VkPerformanceCounterDescriptionKHR_category_array is Interfaces.C.char_array (0 .. 255);
subtype VkPerformanceCounterDescriptionKHR_description_array is Interfaces.C.char_array (0 .. 255);
type VkPerformanceCounterDescriptionKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:6760
pNext : System.Address; -- vulkan_core.h:6761
flags : aliased VkPerformanceCounterDescriptionFlagsKHR; -- vulkan_core.h:6762
name : aliased VkPerformanceCounterDescriptionKHR_name_array; -- vulkan_core.h:6763
category : aliased VkPerformanceCounterDescriptionKHR_category_array; -- vulkan_core.h:6764
description : aliased VkPerformanceCounterDescriptionKHR_description_array; -- vulkan_core.h:6765
end record;
pragma Convention (C_Pass_By_Copy, VkPerformanceCounterDescriptionKHR); -- vulkan_core.h:6759
type VkQueryPoolPerformanceCreateInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:6769
pNext : System.Address; -- vulkan_core.h:6770
queueFamilyIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:6771
counterIndexCount : aliased stdint_h.uint32_t; -- vulkan_core.h:6772
pCounterIndices : access stdint_h.uint32_t; -- vulkan_core.h:6773
end record;
pragma Convention (C_Pass_By_Copy, VkQueryPoolPerformanceCreateInfoKHR); -- vulkan_core.h:6768
type VkPerformanceCounterResultKHR (discr : unsigned := 0) is record
case discr is
when 0 =>
int32 : aliased stdint_h.int32_t; -- vulkan_core.h:6777
when 1 =>
int64 : aliased stdint_h.int64_t; -- vulkan_core.h:6778
when 2 =>
uint32 : aliased stdint_h.uint32_t; -- vulkan_core.h:6779
when 3 =>
uint64 : aliased stdint_h.uint64_t; -- vulkan_core.h:6780
when 4 =>
float32 : aliased float; -- vulkan_core.h:6781
when others =>
float64 : aliased double; -- vulkan_core.h:6782
end case;
end record;
pragma Convention (C_Pass_By_Copy, VkPerformanceCounterResultKHR);
pragma Unchecked_Union (VkPerformanceCounterResultKHR); -- vulkan_core.h:6776
type VkAcquireProfilingLockInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:6786
pNext : System.Address; -- vulkan_core.h:6787
flags : aliased VkAcquireProfilingLockFlagsKHR; -- vulkan_core.h:6788
timeout : aliased stdint_h.uint64_t; -- vulkan_core.h:6789
end record;
pragma Convention (C_Pass_By_Copy, VkAcquireProfilingLockInfoKHR); -- vulkan_core.h:6785
type VkPerformanceQuerySubmitInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:6793
pNext : System.Address; -- vulkan_core.h:6794
counterPassIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:6795
end record;
pragma Convention (C_Pass_By_Copy, VkPerformanceQuerySubmitInfoKHR); -- vulkan_core.h:6792
type PFN_vkEnumeratePhysicalDeviceQueueFamilyPerformanceQueryCountersKHR is access function
(arg1 : VkPhysicalDevice;
arg2 : stdint_h.uint32_t;
arg3 : access stdint_h.uint32_t;
arg4 : access VkPerformanceCounterKHR;
arg5 : access VkPerformanceCounterDescriptionKHR) return VkResult;
pragma Convention (C, PFN_vkEnumeratePhysicalDeviceQueueFamilyPerformanceQueryCountersKHR); -- vulkan_core.h:6798
type PFN_vkGetPhysicalDeviceQueueFamilyPerformanceQueryPassesKHR is access procedure
(arg1 : VkPhysicalDevice;
arg2 : System.Address;
arg3 : access stdint_h.uint32_t);
pragma Convention (C, PFN_vkGetPhysicalDeviceQueueFamilyPerformanceQueryPassesKHR); -- vulkan_core.h:6799
type PFN_vkAcquireProfilingLockKHR is access function (arg1 : VkDevice; arg2 : System.Address) return VkResult;
pragma Convention (C, PFN_vkAcquireProfilingLockKHR); -- vulkan_core.h:6800
type PFN_vkReleaseProfilingLockKHR is access procedure (arg1 : VkDevice);
pragma Convention (C, PFN_vkReleaseProfilingLockKHR); -- vulkan_core.h:6801
function vkEnumeratePhysicalDeviceQueueFamilyPerformanceQueryCountersKHR
(physicalDevice : VkPhysicalDevice;
queueFamilyIndex : stdint_h.uint32_t;
pCounterCount : access stdint_h.uint32_t;
pCounters : access VkPerformanceCounterKHR;
pCounterDescriptions : access VkPerformanceCounterDescriptionKHR) return VkResult; -- vulkan_core.h:6804
pragma Import (C, vkEnumeratePhysicalDeviceQueueFamilyPerformanceQueryCountersKHR, "vkEnumeratePhysicalDeviceQueueFamilyPerformanceQueryCountersKHR");
procedure vkGetPhysicalDeviceQueueFamilyPerformanceQueryPassesKHR
(physicalDevice : VkPhysicalDevice;
pPerformanceQueryCreateInfo : System.Address;
pNumPasses : access stdint_h.uint32_t); -- vulkan_core.h:6811
pragma Import (C, vkGetPhysicalDeviceQueueFamilyPerformanceQueryPassesKHR, "vkGetPhysicalDeviceQueueFamilyPerformanceQueryPassesKHR");
function vkAcquireProfilingLockKHR (device : VkDevice; pInfo : System.Address) return VkResult; -- vulkan_core.h:6816
pragma Import (C, vkAcquireProfilingLockKHR, "vkAcquireProfilingLockKHR");
procedure vkReleaseProfilingLockKHR (device : VkDevice); -- vulkan_core.h:6820
pragma Import (C, vkReleaseProfilingLockKHR, "vkReleaseProfilingLockKHR");
subtype VkPointClippingBehaviorKHR is VkPointClippingBehavior;
subtype VkTessellationDomainOriginKHR is VkTessellationDomainOrigin;
subtype VkPhysicalDevicePointClippingPropertiesKHR is VkPhysicalDevicePointClippingProperties;
subtype VkRenderPassInputAttachmentAspectCreateInfoKHR is VkRenderPassInputAttachmentAspectCreateInfo;
subtype VkInputAttachmentAspectReferenceKHR is VkInputAttachmentAspectReference;
subtype VkImageViewUsageCreateInfoKHR is VkImageViewUsageCreateInfo;
subtype VkPipelineTessellationDomainOriginStateCreateInfoKHR is VkPipelineTessellationDomainOriginStateCreateInfo;
type VkPhysicalDeviceSurfaceInfo2KHR is record
sType : aliased VkStructureType; -- vulkan_core.h:6848
pNext : System.Address; -- vulkan_core.h:6849
surface : VkSurfaceKHR; -- vulkan_core.h:6850
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceSurfaceInfo2KHR); -- vulkan_core.h:6847
type VkSurfaceCapabilities2KHR is record
sType : aliased VkStructureType; -- vulkan_core.h:6854
pNext : System.Address; -- vulkan_core.h:6855
surfaceCapabilities : aliased VkSurfaceCapabilitiesKHR; -- vulkan_core.h:6856
end record;
pragma Convention (C_Pass_By_Copy, VkSurfaceCapabilities2KHR); -- vulkan_core.h:6853
type VkSurfaceFormat2KHR is record
sType : aliased VkStructureType; -- vulkan_core.h:6860
pNext : System.Address; -- vulkan_core.h:6861
surfaceFormat : aliased VkSurfaceFormatKHR; -- vulkan_core.h:6862
end record;
pragma Convention (C_Pass_By_Copy, VkSurfaceFormat2KHR); -- vulkan_core.h:6859
type PFN_vkGetPhysicalDeviceSurfaceCapabilities2KHR is access function
(arg1 : VkPhysicalDevice;
arg2 : System.Address;
arg3 : access VkSurfaceCapabilities2KHR) return VkResult;
pragma Convention (C, PFN_vkGetPhysicalDeviceSurfaceCapabilities2KHR); -- vulkan_core.h:6865
type PFN_vkGetPhysicalDeviceSurfaceFormats2KHR is access function
(arg1 : VkPhysicalDevice;
arg2 : System.Address;
arg3 : access stdint_h.uint32_t;
arg4 : access VkSurfaceFormat2KHR) return VkResult;
pragma Convention (C, PFN_vkGetPhysicalDeviceSurfaceFormats2KHR); -- vulkan_core.h:6866
function vkGetPhysicalDeviceSurfaceCapabilities2KHR
(physicalDevice : VkPhysicalDevice;
pSurfaceInfo : System.Address;
pSurfaceCapabilities : access VkSurfaceCapabilities2KHR) return VkResult; -- vulkan_core.h:6869
pragma Import (C, vkGetPhysicalDeviceSurfaceCapabilities2KHR, "vkGetPhysicalDeviceSurfaceCapabilities2KHR");
function vkGetPhysicalDeviceSurfaceFormats2KHR
(physicalDevice : VkPhysicalDevice;
pSurfaceInfo : System.Address;
pSurfaceFormatCount : access stdint_h.uint32_t;
pSurfaceFormats : access VkSurfaceFormat2KHR) return VkResult; -- vulkan_core.h:6874
pragma Import (C, vkGetPhysicalDeviceSurfaceFormats2KHR, "vkGetPhysicalDeviceSurfaceFormats2KHR");
subtype VkPhysicalDeviceVariablePointerFeaturesKHR is VkPhysicalDeviceVariablePointersFeatures;
subtype VkPhysicalDeviceVariablePointersFeaturesKHR is VkPhysicalDeviceVariablePointersFeatures;
type VkDisplayProperties2KHR is record
sType : aliased VkStructureType; -- vulkan_core.h:6895
pNext : System.Address; -- vulkan_core.h:6896
displayProperties : aliased VkDisplayPropertiesKHR; -- vulkan_core.h:6897
end record;
pragma Convention (C_Pass_By_Copy, VkDisplayProperties2KHR); -- vulkan_core.h:6894
type VkDisplayPlaneProperties2KHR is record
sType : aliased VkStructureType; -- vulkan_core.h:6901
pNext : System.Address; -- vulkan_core.h:6902
displayPlaneProperties : aliased VkDisplayPlanePropertiesKHR; -- vulkan_core.h:6903
end record;
pragma Convention (C_Pass_By_Copy, VkDisplayPlaneProperties2KHR); -- vulkan_core.h:6900
type VkDisplayModeProperties2KHR is record
sType : aliased VkStructureType; -- vulkan_core.h:6907
pNext : System.Address; -- vulkan_core.h:6908
displayModeProperties : aliased VkDisplayModePropertiesKHR; -- vulkan_core.h:6909
end record;
pragma Convention (C_Pass_By_Copy, VkDisplayModeProperties2KHR); -- vulkan_core.h:6906
type VkDisplayPlaneInfo2KHR is record
sType : aliased VkStructureType; -- vulkan_core.h:6913
pNext : System.Address; -- vulkan_core.h:6914
mode : VkDisplayModeKHR; -- vulkan_core.h:6915
planeIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:6916
end record;
pragma Convention (C_Pass_By_Copy, VkDisplayPlaneInfo2KHR); -- vulkan_core.h:6912
type VkDisplayPlaneCapabilities2KHR is record
sType : aliased VkStructureType; -- vulkan_core.h:6920
pNext : System.Address; -- vulkan_core.h:6921
capabilities : aliased VkDisplayPlaneCapabilitiesKHR; -- vulkan_core.h:6922
end record;
pragma Convention (C_Pass_By_Copy, VkDisplayPlaneCapabilities2KHR); -- vulkan_core.h:6919
type PFN_vkGetPhysicalDeviceDisplayProperties2KHR is access function
(arg1 : VkPhysicalDevice;
arg2 : access stdint_h.uint32_t;
arg3 : access VkDisplayProperties2KHR) return VkResult;
pragma Convention (C, PFN_vkGetPhysicalDeviceDisplayProperties2KHR); -- vulkan_core.h:6925
type PFN_vkGetPhysicalDeviceDisplayPlaneProperties2KHR is access function
(arg1 : VkPhysicalDevice;
arg2 : access stdint_h.uint32_t;
arg3 : access VkDisplayPlaneProperties2KHR) return VkResult;
pragma Convention (C, PFN_vkGetPhysicalDeviceDisplayPlaneProperties2KHR); -- vulkan_core.h:6926
type PFN_vkGetDisplayModeProperties2KHR is access function
(arg1 : VkPhysicalDevice;
arg2 : VkDisplayKHR;
arg3 : access stdint_h.uint32_t;
arg4 : access VkDisplayModeProperties2KHR) return VkResult;
pragma Convention (C, PFN_vkGetDisplayModeProperties2KHR); -- vulkan_core.h:6927
type PFN_vkGetDisplayPlaneCapabilities2KHR is access function
(arg1 : VkPhysicalDevice;
arg2 : System.Address;
arg3 : access VkDisplayPlaneCapabilities2KHR) return VkResult;
pragma Convention (C, PFN_vkGetDisplayPlaneCapabilities2KHR); -- vulkan_core.h:6928
function vkGetPhysicalDeviceDisplayProperties2KHR
(physicalDevice : VkPhysicalDevice;
pPropertyCount : access stdint_h.uint32_t;
pProperties : access VkDisplayProperties2KHR) return VkResult; -- vulkan_core.h:6931
pragma Import (C, vkGetPhysicalDeviceDisplayProperties2KHR, "vkGetPhysicalDeviceDisplayProperties2KHR");
function vkGetPhysicalDeviceDisplayPlaneProperties2KHR
(physicalDevice : VkPhysicalDevice;
pPropertyCount : access stdint_h.uint32_t;
pProperties : access VkDisplayPlaneProperties2KHR) return VkResult; -- vulkan_core.h:6936
pragma Import (C, vkGetPhysicalDeviceDisplayPlaneProperties2KHR, "vkGetPhysicalDeviceDisplayPlaneProperties2KHR");
function vkGetDisplayModeProperties2KHR
(physicalDevice : VkPhysicalDevice;
display : VkDisplayKHR;
pPropertyCount : access stdint_h.uint32_t;
pProperties : access VkDisplayModeProperties2KHR) return VkResult; -- vulkan_core.h:6941
pragma Import (C, vkGetDisplayModeProperties2KHR, "vkGetDisplayModeProperties2KHR");
function vkGetDisplayPlaneCapabilities2KHR
(physicalDevice : VkPhysicalDevice;
pDisplayPlaneInfo : System.Address;
pCapabilities : access VkDisplayPlaneCapabilities2KHR) return VkResult; -- vulkan_core.h:6947
pragma Import (C, vkGetDisplayPlaneCapabilities2KHR, "vkGetDisplayPlaneCapabilities2KHR");
subtype VkMemoryDedicatedRequirementsKHR is VkMemoryDedicatedRequirements;
subtype VkMemoryDedicatedAllocateInfoKHR is VkMemoryDedicatedAllocateInfo;
subtype VkBufferMemoryRequirementsInfo2KHR is VkBufferMemoryRequirementsInfo2;
subtype VkImageMemoryRequirementsInfo2KHR is VkImageMemoryRequirementsInfo2;
subtype VkImageSparseMemoryRequirementsInfo2KHR is VkImageSparseMemoryRequirementsInfo2;
subtype VkMemoryRequirements2KHR is VkMemoryRequirements2;
subtype VkSparseImageMemoryRequirements2KHR is VkSparseImageMemoryRequirements2;
type PFN_vkGetImageMemoryRequirements2KHR is access procedure
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : access VkMemoryRequirements2);
pragma Convention (C, PFN_vkGetImageMemoryRequirements2KHR); -- vulkan_core.h:6986
type PFN_vkGetBufferMemoryRequirements2KHR is access procedure
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : access VkMemoryRequirements2);
pragma Convention (C, PFN_vkGetBufferMemoryRequirements2KHR); -- vulkan_core.h:6987
type PFN_vkGetImageSparseMemoryRequirements2KHR is access procedure
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : access stdint_h.uint32_t;
arg4 : access VkSparseImageMemoryRequirements2);
pragma Convention (C, PFN_vkGetImageSparseMemoryRequirements2KHR); -- vulkan_core.h:6988
procedure vkGetImageMemoryRequirements2KHR
(device : VkDevice;
pInfo : System.Address;
pMemoryRequirements : access VkMemoryRequirements2); -- vulkan_core.h:6991
pragma Import (C, vkGetImageMemoryRequirements2KHR, "vkGetImageMemoryRequirements2KHR");
procedure vkGetBufferMemoryRequirements2KHR
(device : VkDevice;
pInfo : System.Address;
pMemoryRequirements : access VkMemoryRequirements2); -- vulkan_core.h:6996
pragma Import (C, vkGetBufferMemoryRequirements2KHR, "vkGetBufferMemoryRequirements2KHR");
procedure vkGetImageSparseMemoryRequirements2KHR
(device : VkDevice;
pInfo : System.Address;
pSparseMemoryRequirementCount : access stdint_h.uint32_t;
pSparseMemoryRequirements : access VkSparseImageMemoryRequirements2); -- vulkan_core.h:7001
pragma Import (C, vkGetImageSparseMemoryRequirements2KHR, "vkGetImageSparseMemoryRequirements2KHR");
subtype VkImageFormatListCreateInfoKHR is VkImageFormatListCreateInfo;
subtype VkSamplerYcbcrConversionKHR is VkSamplerYcbcrConversion; -- vulkan_core.h:7017
subtype VkSamplerYcbcrModelConversionKHR is VkSamplerYcbcrModelConversion;
subtype VkSamplerYcbcrRangeKHR is VkSamplerYcbcrRange;
subtype VkChromaLocationKHR is VkChromaLocation;
subtype VkSamplerYcbcrConversionCreateInfoKHR is VkSamplerYcbcrConversionCreateInfo;
subtype VkSamplerYcbcrConversionInfoKHR is VkSamplerYcbcrConversionInfo;
subtype VkBindImagePlaneMemoryInfoKHR is VkBindImagePlaneMemoryInfo;
subtype VkImagePlaneMemoryRequirementsInfoKHR is VkImagePlaneMemoryRequirementsInfo;
subtype VkPhysicalDeviceSamplerYcbcrConversionFeaturesKHR is VkPhysicalDeviceSamplerYcbcrConversionFeatures;
subtype VkSamplerYcbcrConversionImageFormatPropertiesKHR is VkSamplerYcbcrConversionImageFormatProperties;
type PFN_vkCreateSamplerYcbcrConversionKHR is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateSamplerYcbcrConversionKHR); -- vulkan_core.h:7039
type PFN_vkDestroySamplerYcbcrConversionKHR is access procedure
(arg1 : VkDevice;
arg2 : VkSamplerYcbcrConversion;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroySamplerYcbcrConversionKHR); -- vulkan_core.h:7040
function vkCreateSamplerYcbcrConversionKHR
(device : VkDevice;
pCreateInfo : System.Address;
pAllocator : System.Address;
pYcbcrConversion : System.Address) return VkResult; -- vulkan_core.h:7043
pragma Import (C, vkCreateSamplerYcbcrConversionKHR, "vkCreateSamplerYcbcrConversionKHR");
procedure vkDestroySamplerYcbcrConversionKHR
(device : VkDevice;
ycbcrConversion : VkSamplerYcbcrConversion;
pAllocator : System.Address); -- vulkan_core.h:7049
pragma Import (C, vkDestroySamplerYcbcrConversionKHR, "vkDestroySamplerYcbcrConversionKHR");
subtype VkBindBufferMemoryInfoKHR is VkBindBufferMemoryInfo;
subtype VkBindImageMemoryInfoKHR is VkBindImageMemoryInfo;
type PFN_vkBindBufferMemory2KHR is access function
(arg1 : VkDevice;
arg2 : stdint_h.uint32_t;
arg3 : System.Address) return VkResult;
pragma Convention (C, PFN_vkBindBufferMemory2KHR); -- vulkan_core.h:7063
type PFN_vkBindImageMemory2KHR is access function
(arg1 : VkDevice;
arg2 : stdint_h.uint32_t;
arg3 : System.Address) return VkResult;
pragma Convention (C, PFN_vkBindImageMemory2KHR); -- vulkan_core.h:7064
function vkBindBufferMemory2KHR
(device : VkDevice;
bindInfoCount : stdint_h.uint32_t;
pBindInfos : System.Address) return VkResult; -- vulkan_core.h:7067
pragma Import (C, vkBindBufferMemory2KHR, "vkBindBufferMemory2KHR");
function vkBindImageMemory2KHR
(device : VkDevice;
bindInfoCount : stdint_h.uint32_t;
pBindInfos : System.Address) return VkResult; -- vulkan_core.h:7072
pragma Import (C, vkBindImageMemory2KHR, "vkBindImageMemory2KHR");
subtype VkPhysicalDeviceMaintenance3PropertiesKHR is VkPhysicalDeviceMaintenance3Properties;
subtype VkDescriptorSetLayoutSupportKHR is VkDescriptorSetLayoutSupport;
type PFN_vkGetDescriptorSetLayoutSupportKHR is access procedure
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : access VkDescriptorSetLayoutSupport);
pragma Convention (C, PFN_vkGetDescriptorSetLayoutSupportKHR); -- vulkan_core.h:7086
procedure vkGetDescriptorSetLayoutSupportKHR
(device : VkDevice;
pCreateInfo : System.Address;
pSupport : access VkDescriptorSetLayoutSupport); -- vulkan_core.h:7089
pragma Import (C, vkGetDescriptorSetLayoutSupportKHR, "vkGetDescriptorSetLayoutSupportKHR");
type PFN_vkCmdDrawIndirectCountKHR is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkBuffer;
arg3 : VkDeviceSize;
arg4 : VkBuffer;
arg5 : VkDeviceSize;
arg6 : stdint_h.uint32_t;
arg7 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdDrawIndirectCountKHR); -- vulkan_core.h:7099
type PFN_vkCmdDrawIndexedIndirectCountKHR is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkBuffer;
arg3 : VkDeviceSize;
arg4 : VkBuffer;
arg5 : VkDeviceSize;
arg6 : stdint_h.uint32_t;
arg7 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdDrawIndexedIndirectCountKHR); -- vulkan_core.h:7100
procedure vkCmdDrawIndirectCountKHR
(commandBuffer : VkCommandBuffer;
buffer : VkBuffer;
offset : VkDeviceSize;
countBuffer : VkBuffer;
countBufferOffset : VkDeviceSize;
maxDrawCount : stdint_h.uint32_t;
stride : stdint_h.uint32_t); -- vulkan_core.h:7103
pragma Import (C, vkCmdDrawIndirectCountKHR, "vkCmdDrawIndirectCountKHR");
procedure vkCmdDrawIndexedIndirectCountKHR
(commandBuffer : VkCommandBuffer;
buffer : VkBuffer;
offset : VkDeviceSize;
countBuffer : VkBuffer;
countBufferOffset : VkDeviceSize;
maxDrawCount : stdint_h.uint32_t;
stride : stdint_h.uint32_t); -- vulkan_core.h:7112
pragma Import (C, vkCmdDrawIndexedIndirectCountKHR, "vkCmdDrawIndexedIndirectCountKHR");
subtype VkPhysicalDeviceShaderSubgroupExtendedTypesFeaturesKHR is VkPhysicalDeviceShaderSubgroupExtendedTypesFeatures;
subtype VkPhysicalDevice8BitStorageFeaturesKHR is VkPhysicalDevice8BitStorageFeatures;
subtype VkPhysicalDeviceShaderAtomicInt64FeaturesKHR is VkPhysicalDeviceShaderAtomicInt64Features;
type VkPhysicalDeviceShaderClockFeaturesKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7148
pNext : System.Address; -- vulkan_core.h:7149
shaderSubgroupClock : aliased VkBool32; -- vulkan_core.h:7150
shaderDeviceClock : aliased VkBool32; -- vulkan_core.h:7151
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceShaderClockFeaturesKHR); -- vulkan_core.h:7147
subtype VkDriverIdKHR is VkDriverId;
subtype VkConformanceVersionKHR is VkConformanceVersion;
subtype VkPhysicalDeviceDriverPropertiesKHR is VkPhysicalDeviceDriverProperties;
subtype VkShaderFloatControlsIndependenceKHR is VkShaderFloatControlsIndependence;
subtype VkPhysicalDeviceFloatControlsPropertiesKHR is VkPhysicalDeviceFloatControlsProperties;
subtype VkResolveModeFlagBitsKHR is VkResolveModeFlagBits;
subtype VkResolveModeFlagsKHR is VkResolveModeFlags; -- vulkan_core.h:7183
subtype VkSubpassDescriptionDepthStencilResolveKHR is VkSubpassDescriptionDepthStencilResolve;
subtype VkPhysicalDeviceDepthStencilResolvePropertiesKHR is VkPhysicalDeviceDepthStencilResolveProperties;
subtype VkSemaphoreTypeKHR is VkSemaphoreType;
subtype VkSemaphoreWaitFlagBitsKHR is VkSemaphoreWaitFlagBits;
subtype VkSemaphoreWaitFlagsKHR is VkSemaphoreWaitFlags; -- vulkan_core.h:7203
subtype VkPhysicalDeviceTimelineSemaphoreFeaturesKHR is VkPhysicalDeviceTimelineSemaphoreFeatures;
subtype VkPhysicalDeviceTimelineSemaphorePropertiesKHR is VkPhysicalDeviceTimelineSemaphoreProperties;
subtype VkSemaphoreTypeCreateInfoKHR is VkSemaphoreTypeCreateInfo;
subtype VkTimelineSemaphoreSubmitInfoKHR is VkTimelineSemaphoreSubmitInfo;
subtype VkSemaphoreWaitInfoKHR is VkSemaphoreWaitInfo;
subtype VkSemaphoreSignalInfoKHR is VkSemaphoreSignalInfo;
type PFN_vkGetSemaphoreCounterValueKHR is access function
(arg1 : VkDevice;
arg2 : VkSemaphore;
arg3 : access stdint_h.uint64_t) return VkResult;
pragma Convention (C, PFN_vkGetSemaphoreCounterValueKHR); -- vulkan_core.h:7217
type PFN_vkWaitSemaphoresKHR is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : stdint_h.uint64_t) return VkResult;
pragma Convention (C, PFN_vkWaitSemaphoresKHR); -- vulkan_core.h:7218
type PFN_vkSignalSemaphoreKHR is access function (arg1 : VkDevice; arg2 : System.Address) return VkResult;
pragma Convention (C, PFN_vkSignalSemaphoreKHR); -- vulkan_core.h:7219
function vkGetSemaphoreCounterValueKHR
(device : VkDevice;
semaphore : VkSemaphore;
pValue : access stdint_h.uint64_t) return VkResult; -- vulkan_core.h:7222
pragma Import (C, vkGetSemaphoreCounterValueKHR, "vkGetSemaphoreCounterValueKHR");
function vkWaitSemaphoresKHR
(device : VkDevice;
pWaitInfo : System.Address;
timeout : stdint_h.uint64_t) return VkResult; -- vulkan_core.h:7227
pragma Import (C, vkWaitSemaphoresKHR, "vkWaitSemaphoresKHR");
function vkSignalSemaphoreKHR (device : VkDevice; pSignalInfo : System.Address) return VkResult; -- vulkan_core.h:7232
pragma Import (C, vkSignalSemaphoreKHR, "vkSignalSemaphoreKHR");
subtype VkPhysicalDeviceVulkanMemoryModelFeaturesKHR is VkPhysicalDeviceVulkanMemoryModelFeatures;
type VkPhysicalDeviceShaderTerminateInvocationFeaturesKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7249
pNext : System.Address; -- vulkan_core.h:7250
shaderTerminateInvocation : aliased VkBool32; -- vulkan_core.h:7251
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceShaderTerminateInvocationFeaturesKHR); -- vulkan_core.h:7248
subtype VkFragmentShadingRateCombinerOpKHR is unsigned;
VK_FRAGMENT_SHADING_RATE_COMBINER_OP_KEEP_KHR : constant VkFragmentShadingRateCombinerOpKHR := 0;
VK_FRAGMENT_SHADING_RATE_COMBINER_OP_REPLACE_KHR : constant VkFragmentShadingRateCombinerOpKHR := 1;
VK_FRAGMENT_SHADING_RATE_COMBINER_OP_MIN_KHR : constant VkFragmentShadingRateCombinerOpKHR := 2;
VK_FRAGMENT_SHADING_RATE_COMBINER_OP_MAX_KHR : constant VkFragmentShadingRateCombinerOpKHR := 3;
VK_FRAGMENT_SHADING_RATE_COMBINER_OP_MUL_KHR : constant VkFragmentShadingRateCombinerOpKHR := 4;
VK_FRAGMENT_SHADING_RATE_COMBINER_OP_MAX_ENUM_KHR : constant VkFragmentShadingRateCombinerOpKHR := 2147483647; -- vulkan_core.h:7260
type VkFragmentShadingRateAttachmentInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7269
pNext : System.Address; -- vulkan_core.h:7270
pFragmentShadingRateAttachment : System.Address; -- vulkan_core.h:7271
shadingRateAttachmentTexelSize : aliased VkExtent2D; -- vulkan_core.h:7272
end record;
pragma Convention (C_Pass_By_Copy, VkFragmentShadingRateAttachmentInfoKHR); -- vulkan_core.h:7268
type VkPipelineFragmentShadingRateStateCreateInfoKHR_combinerOps_array is array (0 .. 1) of aliased VkFragmentShadingRateCombinerOpKHR;
type VkPipelineFragmentShadingRateStateCreateInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7276
pNext : System.Address; -- vulkan_core.h:7277
fragmentSize : aliased VkExtent2D; -- vulkan_core.h:7278
combinerOps : aliased VkPipelineFragmentShadingRateStateCreateInfoKHR_combinerOps_array; -- vulkan_core.h:7279
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineFragmentShadingRateStateCreateInfoKHR); -- vulkan_core.h:7275
type VkPhysicalDeviceFragmentShadingRateFeaturesKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7283
pNext : System.Address; -- vulkan_core.h:7284
pipelineFragmentShadingRate : aliased VkBool32; -- vulkan_core.h:7285
primitiveFragmentShadingRate : aliased VkBool32; -- vulkan_core.h:7286
attachmentFragmentShadingRate : aliased VkBool32; -- vulkan_core.h:7287
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceFragmentShadingRateFeaturesKHR); -- vulkan_core.h:7282
type VkPhysicalDeviceFragmentShadingRatePropertiesKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7291
pNext : System.Address; -- vulkan_core.h:7292
minFragmentShadingRateAttachmentTexelSize : aliased VkExtent2D; -- vulkan_core.h:7293
maxFragmentShadingRateAttachmentTexelSize : aliased VkExtent2D; -- vulkan_core.h:7294
maxFragmentShadingRateAttachmentTexelSizeAspectRatio : aliased stdint_h.uint32_t; -- vulkan_core.h:7295
primitiveFragmentShadingRateWithMultipleViewports : aliased VkBool32; -- vulkan_core.h:7296
layeredShadingRateAttachments : aliased VkBool32; -- vulkan_core.h:7297
fragmentShadingRateNonTrivialCombinerOps : aliased VkBool32; -- vulkan_core.h:7298
maxFragmentSize : aliased VkExtent2D; -- vulkan_core.h:7299
maxFragmentSizeAspectRatio : aliased stdint_h.uint32_t; -- vulkan_core.h:7300
maxFragmentShadingRateCoverageSamples : aliased stdint_h.uint32_t; -- vulkan_core.h:7301
maxFragmentShadingRateRasterizationSamples : aliased VkSampleCountFlagBits; -- vulkan_core.h:7302
fragmentShadingRateWithShaderDepthStencilWrites : aliased VkBool32; -- vulkan_core.h:7303
fragmentShadingRateWithSampleMask : aliased VkBool32; -- vulkan_core.h:7304
fragmentShadingRateWithShaderSampleMask : aliased VkBool32; -- vulkan_core.h:7305
fragmentShadingRateWithConservativeRasterization : aliased VkBool32; -- vulkan_core.h:7306
fragmentShadingRateWithFragmentShaderInterlock : aliased VkBool32; -- vulkan_core.h:7307
fragmentShadingRateWithCustomSampleLocations : aliased VkBool32; -- vulkan_core.h:7308
fragmentShadingRateStrictMultiplyCombiner : aliased VkBool32; -- vulkan_core.h:7309
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceFragmentShadingRatePropertiesKHR); -- vulkan_core.h:7290
type VkPhysicalDeviceFragmentShadingRateKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7313
pNext : System.Address; -- vulkan_core.h:7314
sampleCounts : aliased VkSampleCountFlags; -- vulkan_core.h:7315
fragmentSize : aliased VkExtent2D; -- vulkan_core.h:7316
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceFragmentShadingRateKHR); -- vulkan_core.h:7312
type PFN_vkGetPhysicalDeviceFragmentShadingRatesKHR is access function
(arg1 : VkPhysicalDevice;
arg2 : access stdint_h.uint32_t;
arg3 : access VkPhysicalDeviceFragmentShadingRateKHR) return VkResult;
pragma Convention (C, PFN_vkGetPhysicalDeviceFragmentShadingRatesKHR); -- vulkan_core.h:7319
type PFN_vkCmdSetFragmentShadingRateKHR is access procedure
(arg1 : VkCommandBuffer;
arg2 : System.Address;
arg3 : System.Address);
pragma Convention (C, PFN_vkCmdSetFragmentShadingRateKHR); -- vulkan_core.h:7320
function vkGetPhysicalDeviceFragmentShadingRatesKHR
(physicalDevice : VkPhysicalDevice;
pFragmentShadingRateCount : access stdint_h.uint32_t;
pFragmentShadingRates : access VkPhysicalDeviceFragmentShadingRateKHR) return VkResult; -- vulkan_core.h:7323
pragma Import (C, vkGetPhysicalDeviceFragmentShadingRatesKHR, "vkGetPhysicalDeviceFragmentShadingRatesKHR");
procedure vkCmdSetFragmentShadingRateKHR
(commandBuffer : VkCommandBuffer;
pFragmentSize : System.Address;
combinerOps : System.Address); -- vulkan_core.h:7328
pragma Import (C, vkCmdSetFragmentShadingRateKHR, "vkCmdSetFragmentShadingRateKHR");
type VkSurfaceProtectedCapabilitiesKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7344
pNext : System.Address; -- vulkan_core.h:7345
supportsProtected : aliased VkBool32; -- vulkan_core.h:7346
end record;
pragma Convention (C_Pass_By_Copy, VkSurfaceProtectedCapabilitiesKHR); -- vulkan_core.h:7343
subtype VkPhysicalDeviceSeparateDepthStencilLayoutsFeaturesKHR is VkPhysicalDeviceSeparateDepthStencilLayoutsFeatures;
subtype VkAttachmentReferenceStencilLayoutKHR is VkAttachmentReferenceStencilLayout;
subtype VkAttachmentDescriptionStencilLayoutKHR is VkAttachmentDescriptionStencilLayout;
subtype VkPhysicalDeviceUniformBufferStandardLayoutFeaturesKHR is VkPhysicalDeviceUniformBufferStandardLayoutFeatures;
subtype VkPhysicalDeviceBufferDeviceAddressFeaturesKHR is VkPhysicalDeviceBufferDeviceAddressFeatures;
subtype VkBufferDeviceAddressInfoKHR is VkBufferDeviceAddressInfo;
subtype VkBufferOpaqueCaptureAddressCreateInfoKHR is VkBufferOpaqueCaptureAddressCreateInfo;
subtype VkMemoryOpaqueCaptureAddressAllocateInfoKHR is VkMemoryOpaqueCaptureAddressAllocateInfo;
subtype VkDeviceMemoryOpaqueCaptureAddressInfoKHR is VkDeviceMemoryOpaqueCaptureAddressInfo;
type PFN_vkGetBufferDeviceAddressKHR is access function (arg1 : VkDevice; arg2 : System.Address) return VkDeviceAddress;
pragma Convention (C, PFN_vkGetBufferDeviceAddressKHR); -- vulkan_core.h:7382
type PFN_vkGetBufferOpaqueCaptureAddressKHR is access function (arg1 : VkDevice; arg2 : System.Address) return stdint_h.uint64_t;
pragma Convention (C, PFN_vkGetBufferOpaqueCaptureAddressKHR); -- vulkan_core.h:7383
type PFN_vkGetDeviceMemoryOpaqueCaptureAddressKHR is access function (arg1 : VkDevice; arg2 : System.Address) return stdint_h.uint64_t;
pragma Convention (C, PFN_vkGetDeviceMemoryOpaqueCaptureAddressKHR); -- vulkan_core.h:7384
function vkGetBufferDeviceAddressKHR (device : VkDevice; pInfo : System.Address) return VkDeviceAddress; -- vulkan_core.h:7387
pragma Import (C, vkGetBufferDeviceAddressKHR, "vkGetBufferDeviceAddressKHR");
function vkGetBufferOpaqueCaptureAddressKHR (device : VkDevice; pInfo : System.Address) return stdint_h.uint64_t; -- vulkan_core.h:7391
pragma Import (C, vkGetBufferOpaqueCaptureAddressKHR, "vkGetBufferOpaqueCaptureAddressKHR");
function vkGetDeviceMemoryOpaqueCaptureAddressKHR (device : VkDevice; pInfo : System.Address) return stdint_h.uint64_t; -- vulkan_core.h:7395
pragma Import (C, vkGetDeviceMemoryOpaqueCaptureAddressKHR, "vkGetDeviceMemoryOpaqueCaptureAddressKHR");
type VkDeferredOperationKHR is new System.Address; -- vulkan_core.h:7402
-- skipped empty struct VkDeferredOperationKHR_T
type PFN_vkCreateDeferredOperationKHR is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateDeferredOperationKHR); -- vulkan_core.h:7405
type PFN_vkDestroyDeferredOperationKHR is access procedure
(arg1 : VkDevice;
arg2 : VkDeferredOperationKHR;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroyDeferredOperationKHR); -- vulkan_core.h:7406
type PFN_vkGetDeferredOperationMaxConcurrencyKHR is access function (arg1 : VkDevice; arg2 : VkDeferredOperationKHR) return stdint_h.uint32_t;
pragma Convention (C, PFN_vkGetDeferredOperationMaxConcurrencyKHR); -- vulkan_core.h:7407
type PFN_vkGetDeferredOperationResultKHR is access function (arg1 : VkDevice; arg2 : VkDeferredOperationKHR) return VkResult;
pragma Convention (C, PFN_vkGetDeferredOperationResultKHR); -- vulkan_core.h:7408
type PFN_vkDeferredOperationJoinKHR is access function (arg1 : VkDevice; arg2 : VkDeferredOperationKHR) return VkResult;
pragma Convention (C, PFN_vkDeferredOperationJoinKHR); -- vulkan_core.h:7409
function vkCreateDeferredOperationKHR
(device : VkDevice;
pAllocator : System.Address;
pDeferredOperation : System.Address) return VkResult; -- vulkan_core.h:7412
pragma Import (C, vkCreateDeferredOperationKHR, "vkCreateDeferredOperationKHR");
procedure vkDestroyDeferredOperationKHR
(device : VkDevice;
operation : VkDeferredOperationKHR;
pAllocator : System.Address); -- vulkan_core.h:7417
pragma Import (C, vkDestroyDeferredOperationKHR, "vkDestroyDeferredOperationKHR");
function vkGetDeferredOperationMaxConcurrencyKHR (device : VkDevice; operation : VkDeferredOperationKHR) return stdint_h.uint32_t; -- vulkan_core.h:7422
pragma Import (C, vkGetDeferredOperationMaxConcurrencyKHR, "vkGetDeferredOperationMaxConcurrencyKHR");
function vkGetDeferredOperationResultKHR (device : VkDevice; operation : VkDeferredOperationKHR) return VkResult; -- vulkan_core.h:7426
pragma Import (C, vkGetDeferredOperationResultKHR, "vkGetDeferredOperationResultKHR");
function vkDeferredOperationJoinKHR (device : VkDevice; operation : VkDeferredOperationKHR) return VkResult; -- vulkan_core.h:7430
pragma Import (C, vkDeferredOperationJoinKHR, "vkDeferredOperationJoinKHR");
subtype VkPipelineExecutableStatisticFormatKHR is unsigned;
VK_PIPELINE_EXECUTABLE_STATISTIC_FORMAT_BOOL32_KHR : constant VkPipelineExecutableStatisticFormatKHR := 0;
VK_PIPELINE_EXECUTABLE_STATISTIC_FORMAT_INT64_KHR : constant VkPipelineExecutableStatisticFormatKHR := 1;
VK_PIPELINE_EXECUTABLE_STATISTIC_FORMAT_UINT64_KHR : constant VkPipelineExecutableStatisticFormatKHR := 2;
VK_PIPELINE_EXECUTABLE_STATISTIC_FORMAT_FLOAT64_KHR : constant VkPipelineExecutableStatisticFormatKHR := 3;
VK_PIPELINE_EXECUTABLE_STATISTIC_FORMAT_MAX_ENUM_KHR : constant VkPipelineExecutableStatisticFormatKHR := 2147483647; -- vulkan_core.h:7440
type VkPhysicalDevicePipelineExecutablePropertiesFeaturesKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7448
pNext : System.Address; -- vulkan_core.h:7449
pipelineExecutableInfo : aliased VkBool32; -- vulkan_core.h:7450
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDevicePipelineExecutablePropertiesFeaturesKHR); -- vulkan_core.h:7447
type VkPipelineInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7454
pNext : System.Address; -- vulkan_core.h:7455
pipeline : VkPipeline; -- vulkan_core.h:7456
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineInfoKHR); -- vulkan_core.h:7453
subtype VkPipelineExecutablePropertiesKHR_name_array is Interfaces.C.char_array (0 .. 255);
subtype VkPipelineExecutablePropertiesKHR_description_array is Interfaces.C.char_array (0 .. 255);
type VkPipelineExecutablePropertiesKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7460
pNext : System.Address; -- vulkan_core.h:7461
stages : aliased VkShaderStageFlags; -- vulkan_core.h:7462
name : aliased VkPipelineExecutablePropertiesKHR_name_array; -- vulkan_core.h:7463
description : aliased VkPipelineExecutablePropertiesKHR_description_array; -- vulkan_core.h:7464
subgroupSize : aliased stdint_h.uint32_t; -- vulkan_core.h:7465
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineExecutablePropertiesKHR); -- vulkan_core.h:7459
type VkPipelineExecutableInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7469
pNext : System.Address; -- vulkan_core.h:7470
pipeline : VkPipeline; -- vulkan_core.h:7471
executableIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:7472
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineExecutableInfoKHR); -- vulkan_core.h:7468
type VkPipelineExecutableStatisticValueKHR (discr : unsigned := 0) is record
case discr is
when 0 =>
b32 : aliased VkBool32; -- vulkan_core.h:7476
when 1 =>
i64 : aliased stdint_h.int64_t; -- vulkan_core.h:7477
when 2 =>
u64 : aliased stdint_h.uint64_t; -- vulkan_core.h:7478
when others =>
f64 : aliased double; -- vulkan_core.h:7479
end case;
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineExecutableStatisticValueKHR);
pragma Unchecked_Union (VkPipelineExecutableStatisticValueKHR); -- vulkan_core.h:7475
subtype VkPipelineExecutableStatisticKHR_name_array is Interfaces.C.char_array (0 .. 255);
subtype VkPipelineExecutableStatisticKHR_description_array is Interfaces.C.char_array (0 .. 255);
type VkPipelineExecutableStatisticKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7483
pNext : System.Address; -- vulkan_core.h:7484
name : aliased VkPipelineExecutableStatisticKHR_name_array; -- vulkan_core.h:7485
description : aliased VkPipelineExecutableStatisticKHR_description_array; -- vulkan_core.h:7486
format : aliased VkPipelineExecutableStatisticFormatKHR; -- vulkan_core.h:7487
value : VkPipelineExecutableStatisticValueKHR; -- vulkan_core.h:7488
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineExecutableStatisticKHR); -- vulkan_core.h:7482
subtype VkPipelineExecutableInternalRepresentationKHR_name_array is Interfaces.C.char_array (0 .. 255);
subtype VkPipelineExecutableInternalRepresentationKHR_description_array is Interfaces.C.char_array (0 .. 255);
type VkPipelineExecutableInternalRepresentationKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7492
pNext : System.Address; -- vulkan_core.h:7493
name : aliased VkPipelineExecutableInternalRepresentationKHR_name_array; -- vulkan_core.h:7494
description : aliased VkPipelineExecutableInternalRepresentationKHR_description_array; -- vulkan_core.h:7495
isText : aliased VkBool32; -- vulkan_core.h:7496
dataSize : aliased crtdefs_h.size_t; -- vulkan_core.h:7497
pData : System.Address; -- vulkan_core.h:7498
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineExecutableInternalRepresentationKHR); -- vulkan_core.h:7491
type PFN_vkGetPipelineExecutablePropertiesKHR is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : access stdint_h.uint32_t;
arg4 : access VkPipelineExecutablePropertiesKHR) return VkResult;
pragma Convention (C, PFN_vkGetPipelineExecutablePropertiesKHR); -- vulkan_core.h:7501
type PFN_vkGetPipelineExecutableStatisticsKHR is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : access stdint_h.uint32_t;
arg4 : access VkPipelineExecutableStatisticKHR) return VkResult;
pragma Convention (C, PFN_vkGetPipelineExecutableStatisticsKHR); -- vulkan_core.h:7502
type PFN_vkGetPipelineExecutableInternalRepresentationsKHR is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : access stdint_h.uint32_t;
arg4 : access VkPipelineExecutableInternalRepresentationKHR) return VkResult;
pragma Convention (C, PFN_vkGetPipelineExecutableInternalRepresentationsKHR); -- vulkan_core.h:7503
function vkGetPipelineExecutablePropertiesKHR
(device : VkDevice;
pPipelineInfo : System.Address;
pExecutableCount : access stdint_h.uint32_t;
pProperties : access VkPipelineExecutablePropertiesKHR) return VkResult; -- vulkan_core.h:7506
pragma Import (C, vkGetPipelineExecutablePropertiesKHR, "vkGetPipelineExecutablePropertiesKHR");
function vkGetPipelineExecutableStatisticsKHR
(device : VkDevice;
pExecutableInfo : System.Address;
pStatisticCount : access stdint_h.uint32_t;
pStatistics : access VkPipelineExecutableStatisticKHR) return VkResult; -- vulkan_core.h:7512
pragma Import (C, vkGetPipelineExecutableStatisticsKHR, "vkGetPipelineExecutableStatisticsKHR");
function vkGetPipelineExecutableInternalRepresentationsKHR
(device : VkDevice;
pExecutableInfo : System.Address;
pInternalRepresentationCount : access stdint_h.uint32_t;
pInternalRepresentations : access VkPipelineExecutableInternalRepresentationKHR) return VkResult; -- vulkan_core.h:7518
pragma Import (C, vkGetPipelineExecutableInternalRepresentationsKHR, "vkGetPipelineExecutableInternalRepresentationsKHR");
type VkPipelineLibraryCreateInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7530
pNext : System.Address; -- vulkan_core.h:7531
libraryCount : aliased stdint_h.uint32_t; -- vulkan_core.h:7532
pLibraries : System.Address; -- vulkan_core.h:7533
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineLibraryCreateInfoKHR); -- vulkan_core.h:7529
subtype VkFlags64 is stdint_h.uint64_t; -- vulkan_core.h:7544
subtype VkPipelineStageFlags2KHR is VkFlags64; -- vulkan_core.h:7547
-- Flag bits for VkPipelineStageFlags2KHR
VK_PIPELINE_STAGE_2_NONE_KHR : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7550
pragma Import (CPP, VK_PIPELINE_STAGE_2_NONE_KHR, "_ZL28VK_PIPELINE_STAGE_2_NONE_KHR");
VK_PIPELINE_STAGE_2_TOP_OF_PIPE_BIT_KHR : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7551
pragma Import (CPP, VK_PIPELINE_STAGE_2_TOP_OF_PIPE_BIT_KHR, "_ZL39VK_PIPELINE_STAGE_2_TOP_OF_PIPE_BIT_KHR");
VK_PIPELINE_STAGE_2_DRAW_INDIRECT_BIT_KHR : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7552
pragma Import (CPP, VK_PIPELINE_STAGE_2_DRAW_INDIRECT_BIT_KHR, "_ZL41VK_PIPELINE_STAGE_2_DRAW_INDIRECT_BIT_KHR");
VK_PIPELINE_STAGE_2_VERTEX_INPUT_BIT_KHR : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7553
pragma Import (CPP, VK_PIPELINE_STAGE_2_VERTEX_INPUT_BIT_KHR, "_ZL40VK_PIPELINE_STAGE_2_VERTEX_INPUT_BIT_KHR");
VK_PIPELINE_STAGE_2_VERTEX_SHADER_BIT_KHR : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7554
pragma Import (CPP, VK_PIPELINE_STAGE_2_VERTEX_SHADER_BIT_KHR, "_ZL41VK_PIPELINE_STAGE_2_VERTEX_SHADER_BIT_KHR");
VK_PIPELINE_STAGE_2_TESSELLATION_CONTROL_SHADER_BIT_KHR : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7555
pragma Import (CPP, VK_PIPELINE_STAGE_2_TESSELLATION_CONTROL_SHADER_BIT_KHR, "_ZL55VK_PIPELINE_STAGE_2_TESSELLATION_CONTROL_SHADER_BIT_KHR");
VK_PIPELINE_STAGE_2_TESSELLATION_EVALUATION_SHADER_BIT_KHR : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7556
pragma Import (CPP, VK_PIPELINE_STAGE_2_TESSELLATION_EVALUATION_SHADER_BIT_KHR, "_ZL58VK_PIPELINE_STAGE_2_TESSELLATION_EVALUATION_SHADER_BIT_KHR");
VK_PIPELINE_STAGE_2_GEOMETRY_SHADER_BIT_KHR : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7557
pragma Import (CPP, VK_PIPELINE_STAGE_2_GEOMETRY_SHADER_BIT_KHR, "_ZL43VK_PIPELINE_STAGE_2_GEOMETRY_SHADER_BIT_KHR");
VK_PIPELINE_STAGE_2_FRAGMENT_SHADER_BIT_KHR : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7558
pragma Import (CPP, VK_PIPELINE_STAGE_2_FRAGMENT_SHADER_BIT_KHR, "_ZL43VK_PIPELINE_STAGE_2_FRAGMENT_SHADER_BIT_KHR");
VK_PIPELINE_STAGE_2_EARLY_FRAGMENT_TESTS_BIT_KHR : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7559
pragma Import (CPP, VK_PIPELINE_STAGE_2_EARLY_FRAGMENT_TESTS_BIT_KHR, "_ZL48VK_PIPELINE_STAGE_2_EARLY_FRAGMENT_TESTS_BIT_KHR");
VK_PIPELINE_STAGE_2_LATE_FRAGMENT_TESTS_BIT_KHR : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7560
pragma Import (CPP, VK_PIPELINE_STAGE_2_LATE_FRAGMENT_TESTS_BIT_KHR, "_ZL47VK_PIPELINE_STAGE_2_LATE_FRAGMENT_TESTS_BIT_KHR");
VK_PIPELINE_STAGE_2_COLOR_ATTACHMENT_OUTPUT_BIT_KHR : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7561
pragma Import (CPP, VK_PIPELINE_STAGE_2_COLOR_ATTACHMENT_OUTPUT_BIT_KHR, "_ZL51VK_PIPELINE_STAGE_2_COLOR_ATTACHMENT_OUTPUT_BIT_KHR");
VK_PIPELINE_STAGE_2_COMPUTE_SHADER_BIT_KHR : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7562
pragma Import (CPP, VK_PIPELINE_STAGE_2_COMPUTE_SHADER_BIT_KHR, "_ZL42VK_PIPELINE_STAGE_2_COMPUTE_SHADER_BIT_KHR");
VK_PIPELINE_STAGE_2_ALL_TRANSFER_BIT_KHR : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7563
pragma Import (CPP, VK_PIPELINE_STAGE_2_ALL_TRANSFER_BIT_KHR, "_ZL40VK_PIPELINE_STAGE_2_ALL_TRANSFER_BIT_KHR");
VK_PIPELINE_STAGE_2_TRANSFER_BIT_KHR : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7564
pragma Import (CPP, VK_PIPELINE_STAGE_2_TRANSFER_BIT_KHR, "_ZL36VK_PIPELINE_STAGE_2_TRANSFER_BIT_KHR");
VK_PIPELINE_STAGE_2_BOTTOM_OF_PIPE_BIT_KHR : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7565
pragma Import (CPP, VK_PIPELINE_STAGE_2_BOTTOM_OF_PIPE_BIT_KHR, "_ZL42VK_PIPELINE_STAGE_2_BOTTOM_OF_PIPE_BIT_KHR");
VK_PIPELINE_STAGE_2_HOST_BIT_KHR : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7566
pragma Import (CPP, VK_PIPELINE_STAGE_2_HOST_BIT_KHR, "_ZL32VK_PIPELINE_STAGE_2_HOST_BIT_KHR");
VK_PIPELINE_STAGE_2_ALL_GRAPHICS_BIT_KHR : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7567
pragma Import (CPP, VK_PIPELINE_STAGE_2_ALL_GRAPHICS_BIT_KHR, "_ZL40VK_PIPELINE_STAGE_2_ALL_GRAPHICS_BIT_KHR");
VK_PIPELINE_STAGE_2_ALL_COMMANDS_BIT_KHR : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7568
pragma Import (CPP, VK_PIPELINE_STAGE_2_ALL_COMMANDS_BIT_KHR, "_ZL40VK_PIPELINE_STAGE_2_ALL_COMMANDS_BIT_KHR");
VK_PIPELINE_STAGE_2_COPY_BIT_KHR : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7569
pragma Import (CPP, VK_PIPELINE_STAGE_2_COPY_BIT_KHR, "_ZL32VK_PIPELINE_STAGE_2_COPY_BIT_KHR");
VK_PIPELINE_STAGE_2_RESOLVE_BIT_KHR : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7570
pragma Import (CPP, VK_PIPELINE_STAGE_2_RESOLVE_BIT_KHR, "_ZL35VK_PIPELINE_STAGE_2_RESOLVE_BIT_KHR");
VK_PIPELINE_STAGE_2_BLIT_BIT_KHR : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7571
pragma Import (CPP, VK_PIPELINE_STAGE_2_BLIT_BIT_KHR, "_ZL32VK_PIPELINE_STAGE_2_BLIT_BIT_KHR");
VK_PIPELINE_STAGE_2_CLEAR_BIT_KHR : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7572
pragma Import (CPP, VK_PIPELINE_STAGE_2_CLEAR_BIT_KHR, "_ZL33VK_PIPELINE_STAGE_2_CLEAR_BIT_KHR");
VK_PIPELINE_STAGE_2_INDEX_INPUT_BIT_KHR : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7573
pragma Import (CPP, VK_PIPELINE_STAGE_2_INDEX_INPUT_BIT_KHR, "_ZL39VK_PIPELINE_STAGE_2_INDEX_INPUT_BIT_KHR");
VK_PIPELINE_STAGE_2_VERTEX_ATTRIBUTE_INPUT_BIT_KHR : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7574
pragma Import (CPP, VK_PIPELINE_STAGE_2_VERTEX_ATTRIBUTE_INPUT_BIT_KHR, "_ZL50VK_PIPELINE_STAGE_2_VERTEX_ATTRIBUTE_INPUT_BIT_KHR");
VK_PIPELINE_STAGE_2_PRE_RASTERIZATION_SHADERS_BIT_KHR : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7575
pragma Import (CPP, VK_PIPELINE_STAGE_2_PRE_RASTERIZATION_SHADERS_BIT_KHR, "_ZL53VK_PIPELINE_STAGE_2_PRE_RASTERIZATION_SHADERS_BIT_KHR");
VK_PIPELINE_STAGE_2_TRANSFORM_FEEDBACK_BIT_EXT : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7576
pragma Import (CPP, VK_PIPELINE_STAGE_2_TRANSFORM_FEEDBACK_BIT_EXT, "_ZL46VK_PIPELINE_STAGE_2_TRANSFORM_FEEDBACK_BIT_EXT");
VK_PIPELINE_STAGE_2_CONDITIONAL_RENDERING_BIT_EXT : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7577
pragma Import (CPP, VK_PIPELINE_STAGE_2_CONDITIONAL_RENDERING_BIT_EXT, "_ZL49VK_PIPELINE_STAGE_2_CONDITIONAL_RENDERING_BIT_EXT");
VK_PIPELINE_STAGE_2_COMMAND_PREPROCESS_BIT_NV : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7578
pragma Import (CPP, VK_PIPELINE_STAGE_2_COMMAND_PREPROCESS_BIT_NV, "_ZL45VK_PIPELINE_STAGE_2_COMMAND_PREPROCESS_BIT_NV");
VK_PIPELINE_STAGE_2_FRAGMENT_SHADING_RATE_ATTACHMENT_BIT_KHR : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7579
pragma Import (CPP, VK_PIPELINE_STAGE_2_FRAGMENT_SHADING_RATE_ATTACHMENT_BIT_KHR, "_ZL60VK_PIPELINE_STAGE_2_FRAGMENT_SHADING_RATE_ATTACHMENT_BIT_KHR");
VK_PIPELINE_STAGE_2_SHADING_RATE_IMAGE_BIT_NV : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7580
pragma Import (CPP, VK_PIPELINE_STAGE_2_SHADING_RATE_IMAGE_BIT_NV, "_ZL45VK_PIPELINE_STAGE_2_SHADING_RATE_IMAGE_BIT_NV");
VK_PIPELINE_STAGE_2_ACCELERATION_STRUCTURE_BUILD_BIT_KHR : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7581
pragma Import (CPP, VK_PIPELINE_STAGE_2_ACCELERATION_STRUCTURE_BUILD_BIT_KHR, "_ZL56VK_PIPELINE_STAGE_2_ACCELERATION_STRUCTURE_BUILD_BIT_KHR");
VK_PIPELINE_STAGE_2_RAY_TRACING_SHADER_BIT_KHR : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7582
pragma Import (CPP, VK_PIPELINE_STAGE_2_RAY_TRACING_SHADER_BIT_KHR, "_ZL46VK_PIPELINE_STAGE_2_RAY_TRACING_SHADER_BIT_KHR");
VK_PIPELINE_STAGE_2_RAY_TRACING_SHADER_BIT_NV : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7583
pragma Import (CPP, VK_PIPELINE_STAGE_2_RAY_TRACING_SHADER_BIT_NV, "_ZL45VK_PIPELINE_STAGE_2_RAY_TRACING_SHADER_BIT_NV");
VK_PIPELINE_STAGE_2_ACCELERATION_STRUCTURE_BUILD_BIT_NV : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7584
pragma Import (CPP, VK_PIPELINE_STAGE_2_ACCELERATION_STRUCTURE_BUILD_BIT_NV, "_ZL55VK_PIPELINE_STAGE_2_ACCELERATION_STRUCTURE_BUILD_BIT_NV");
VK_PIPELINE_STAGE_2_FRAGMENT_DENSITY_PROCESS_BIT_EXT : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7585
pragma Import (CPP, VK_PIPELINE_STAGE_2_FRAGMENT_DENSITY_PROCESS_BIT_EXT, "_ZL52VK_PIPELINE_STAGE_2_FRAGMENT_DENSITY_PROCESS_BIT_EXT");
VK_PIPELINE_STAGE_2_TASK_SHADER_BIT_NV : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7586
pragma Import (CPP, VK_PIPELINE_STAGE_2_TASK_SHADER_BIT_NV, "_ZL38VK_PIPELINE_STAGE_2_TASK_SHADER_BIT_NV");
VK_PIPELINE_STAGE_2_MESH_SHADER_BIT_NV : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7587
pragma Import (CPP, VK_PIPELINE_STAGE_2_MESH_SHADER_BIT_NV, "_ZL38VK_PIPELINE_STAGE_2_MESH_SHADER_BIT_NV");
subtype VkAccessFlags2KHR is VkFlags64; -- vulkan_core.h:7589
-- Flag bits for VkAccessFlags2KHR
VK_ACCESS_2_NONE_KHR : aliased VkAccessFlags2KHR; -- vulkan_core.h:7592
pragma Import (CPP, VK_ACCESS_2_NONE_KHR, "_ZL20VK_ACCESS_2_NONE_KHR");
VK_ACCESS_2_INDIRECT_COMMAND_READ_BIT_KHR : aliased VkAccessFlags2KHR; -- vulkan_core.h:7593
pragma Import (CPP, VK_ACCESS_2_INDIRECT_COMMAND_READ_BIT_KHR, "_ZL41VK_ACCESS_2_INDIRECT_COMMAND_READ_BIT_KHR");
VK_ACCESS_2_INDEX_READ_BIT_KHR : aliased VkAccessFlags2KHR; -- vulkan_core.h:7594
pragma Import (CPP, VK_ACCESS_2_INDEX_READ_BIT_KHR, "_ZL30VK_ACCESS_2_INDEX_READ_BIT_KHR");
VK_ACCESS_2_VERTEX_ATTRIBUTE_READ_BIT_KHR : aliased VkAccessFlags2KHR; -- vulkan_core.h:7595
pragma Import (CPP, VK_ACCESS_2_VERTEX_ATTRIBUTE_READ_BIT_KHR, "_ZL41VK_ACCESS_2_VERTEX_ATTRIBUTE_READ_BIT_KHR");
VK_ACCESS_2_UNIFORM_READ_BIT_KHR : aliased VkAccessFlags2KHR; -- vulkan_core.h:7596
pragma Import (CPP, VK_ACCESS_2_UNIFORM_READ_BIT_KHR, "_ZL32VK_ACCESS_2_UNIFORM_READ_BIT_KHR");
VK_ACCESS_2_INPUT_ATTACHMENT_READ_BIT_KHR : aliased VkAccessFlags2KHR; -- vulkan_core.h:7597
pragma Import (CPP, VK_ACCESS_2_INPUT_ATTACHMENT_READ_BIT_KHR, "_ZL41VK_ACCESS_2_INPUT_ATTACHMENT_READ_BIT_KHR");
VK_ACCESS_2_SHADER_READ_BIT_KHR : aliased VkAccessFlags2KHR; -- vulkan_core.h:7598
pragma Import (CPP, VK_ACCESS_2_SHADER_READ_BIT_KHR, "_ZL31VK_ACCESS_2_SHADER_READ_BIT_KHR");
VK_ACCESS_2_SHADER_WRITE_BIT_KHR : aliased VkAccessFlags2KHR; -- vulkan_core.h:7599
pragma Import (CPP, VK_ACCESS_2_SHADER_WRITE_BIT_KHR, "_ZL32VK_ACCESS_2_SHADER_WRITE_BIT_KHR");
VK_ACCESS_2_COLOR_ATTACHMENT_READ_BIT_KHR : aliased VkAccessFlags2KHR; -- vulkan_core.h:7600
pragma Import (CPP, VK_ACCESS_2_COLOR_ATTACHMENT_READ_BIT_KHR, "_ZL41VK_ACCESS_2_COLOR_ATTACHMENT_READ_BIT_KHR");
VK_ACCESS_2_COLOR_ATTACHMENT_WRITE_BIT_KHR : aliased VkAccessFlags2KHR; -- vulkan_core.h:7601
pragma Import (CPP, VK_ACCESS_2_COLOR_ATTACHMENT_WRITE_BIT_KHR, "_ZL42VK_ACCESS_2_COLOR_ATTACHMENT_WRITE_BIT_KHR");
VK_ACCESS_2_DEPTH_STENCIL_ATTACHMENT_READ_BIT_KHR : aliased VkAccessFlags2KHR; -- vulkan_core.h:7602
pragma Import (CPP, VK_ACCESS_2_DEPTH_STENCIL_ATTACHMENT_READ_BIT_KHR, "_ZL49VK_ACCESS_2_DEPTH_STENCIL_ATTACHMENT_READ_BIT_KHR");
VK_ACCESS_2_DEPTH_STENCIL_ATTACHMENT_WRITE_BIT_KHR : aliased VkAccessFlags2KHR; -- vulkan_core.h:7603
pragma Import (CPP, VK_ACCESS_2_DEPTH_STENCIL_ATTACHMENT_WRITE_BIT_KHR, "_ZL50VK_ACCESS_2_DEPTH_STENCIL_ATTACHMENT_WRITE_BIT_KHR");
VK_ACCESS_2_TRANSFER_READ_BIT_KHR : aliased VkAccessFlags2KHR; -- vulkan_core.h:7604
pragma Import (CPP, VK_ACCESS_2_TRANSFER_READ_BIT_KHR, "_ZL33VK_ACCESS_2_TRANSFER_READ_BIT_KHR");
VK_ACCESS_2_TRANSFER_WRITE_BIT_KHR : aliased VkAccessFlags2KHR; -- vulkan_core.h:7605
pragma Import (CPP, VK_ACCESS_2_TRANSFER_WRITE_BIT_KHR, "_ZL34VK_ACCESS_2_TRANSFER_WRITE_BIT_KHR");
VK_ACCESS_2_HOST_READ_BIT_KHR : aliased VkAccessFlags2KHR; -- vulkan_core.h:7606
pragma Import (CPP, VK_ACCESS_2_HOST_READ_BIT_KHR, "_ZL29VK_ACCESS_2_HOST_READ_BIT_KHR");
VK_ACCESS_2_HOST_WRITE_BIT_KHR : aliased VkAccessFlags2KHR; -- vulkan_core.h:7607
pragma Import (CPP, VK_ACCESS_2_HOST_WRITE_BIT_KHR, "_ZL30VK_ACCESS_2_HOST_WRITE_BIT_KHR");
VK_ACCESS_2_MEMORY_READ_BIT_KHR : aliased VkAccessFlags2KHR; -- vulkan_core.h:7608
pragma Import (CPP, VK_ACCESS_2_MEMORY_READ_BIT_KHR, "_ZL31VK_ACCESS_2_MEMORY_READ_BIT_KHR");
VK_ACCESS_2_MEMORY_WRITE_BIT_KHR : aliased VkAccessFlags2KHR; -- vulkan_core.h:7609
pragma Import (CPP, VK_ACCESS_2_MEMORY_WRITE_BIT_KHR, "_ZL32VK_ACCESS_2_MEMORY_WRITE_BIT_KHR");
VK_ACCESS_2_SHADER_SAMPLED_READ_BIT_KHR : aliased VkAccessFlags2KHR; -- vulkan_core.h:7610
pragma Import (CPP, VK_ACCESS_2_SHADER_SAMPLED_READ_BIT_KHR, "_ZL39VK_ACCESS_2_SHADER_SAMPLED_READ_BIT_KHR");
VK_ACCESS_2_SHADER_STORAGE_READ_BIT_KHR : aliased VkAccessFlags2KHR; -- vulkan_core.h:7611
pragma Import (CPP, VK_ACCESS_2_SHADER_STORAGE_READ_BIT_KHR, "_ZL39VK_ACCESS_2_SHADER_STORAGE_READ_BIT_KHR");
VK_ACCESS_2_SHADER_STORAGE_WRITE_BIT_KHR : aliased VkAccessFlags2KHR; -- vulkan_core.h:7612
pragma Import (CPP, VK_ACCESS_2_SHADER_STORAGE_WRITE_BIT_KHR, "_ZL40VK_ACCESS_2_SHADER_STORAGE_WRITE_BIT_KHR");
VK_ACCESS_2_TRANSFORM_FEEDBACK_WRITE_BIT_EXT : aliased VkAccessFlags2KHR; -- vulkan_core.h:7613
pragma Import (CPP, VK_ACCESS_2_TRANSFORM_FEEDBACK_WRITE_BIT_EXT, "_ZL44VK_ACCESS_2_TRANSFORM_FEEDBACK_WRITE_BIT_EXT");
VK_ACCESS_2_TRANSFORM_FEEDBACK_COUNTER_READ_BIT_EXT : aliased VkAccessFlags2KHR; -- vulkan_core.h:7614
pragma Import (CPP, VK_ACCESS_2_TRANSFORM_FEEDBACK_COUNTER_READ_BIT_EXT, "_ZL51VK_ACCESS_2_TRANSFORM_FEEDBACK_COUNTER_READ_BIT_EXT");
VK_ACCESS_2_TRANSFORM_FEEDBACK_COUNTER_WRITE_BIT_EXT : aliased VkAccessFlags2KHR; -- vulkan_core.h:7615
pragma Import (CPP, VK_ACCESS_2_TRANSFORM_FEEDBACK_COUNTER_WRITE_BIT_EXT, "_ZL52VK_ACCESS_2_TRANSFORM_FEEDBACK_COUNTER_WRITE_BIT_EXT");
VK_ACCESS_2_CONDITIONAL_RENDERING_READ_BIT_EXT : aliased VkAccessFlags2KHR; -- vulkan_core.h:7616
pragma Import (CPP, VK_ACCESS_2_CONDITIONAL_RENDERING_READ_BIT_EXT, "_ZL46VK_ACCESS_2_CONDITIONAL_RENDERING_READ_BIT_EXT");
VK_ACCESS_2_COMMAND_PREPROCESS_READ_BIT_NV : aliased VkAccessFlags2KHR; -- vulkan_core.h:7617
pragma Import (CPP, VK_ACCESS_2_COMMAND_PREPROCESS_READ_BIT_NV, "_ZL42VK_ACCESS_2_COMMAND_PREPROCESS_READ_BIT_NV");
VK_ACCESS_2_COMMAND_PREPROCESS_WRITE_BIT_NV : aliased VkAccessFlags2KHR; -- vulkan_core.h:7618
pragma Import (CPP, VK_ACCESS_2_COMMAND_PREPROCESS_WRITE_BIT_NV, "_ZL43VK_ACCESS_2_COMMAND_PREPROCESS_WRITE_BIT_NV");
VK_ACCESS_2_FRAGMENT_SHADING_RATE_ATTACHMENT_READ_BIT_KHR : aliased VkAccessFlags2KHR; -- vulkan_core.h:7619
pragma Import (CPP, VK_ACCESS_2_FRAGMENT_SHADING_RATE_ATTACHMENT_READ_BIT_KHR, "_ZL57VK_ACCESS_2_FRAGMENT_SHADING_RATE_ATTACHMENT_READ_BIT_KHR");
VK_ACCESS_2_SHADING_RATE_IMAGE_READ_BIT_NV : aliased VkAccessFlags2KHR; -- vulkan_core.h:7620
pragma Import (CPP, VK_ACCESS_2_SHADING_RATE_IMAGE_READ_BIT_NV, "_ZL42VK_ACCESS_2_SHADING_RATE_IMAGE_READ_BIT_NV");
VK_ACCESS_2_ACCELERATION_STRUCTURE_READ_BIT_KHR : aliased VkAccessFlags2KHR; -- vulkan_core.h:7621
pragma Import (CPP, VK_ACCESS_2_ACCELERATION_STRUCTURE_READ_BIT_KHR, "_ZL47VK_ACCESS_2_ACCELERATION_STRUCTURE_READ_BIT_KHR");
VK_ACCESS_2_ACCELERATION_STRUCTURE_WRITE_BIT_KHR : aliased VkAccessFlags2KHR; -- vulkan_core.h:7622
pragma Import (CPP, VK_ACCESS_2_ACCELERATION_STRUCTURE_WRITE_BIT_KHR, "_ZL48VK_ACCESS_2_ACCELERATION_STRUCTURE_WRITE_BIT_KHR");
VK_ACCESS_2_ACCELERATION_STRUCTURE_READ_BIT_NV : aliased VkAccessFlags2KHR; -- vulkan_core.h:7623
pragma Import (CPP, VK_ACCESS_2_ACCELERATION_STRUCTURE_READ_BIT_NV, "_ZL46VK_ACCESS_2_ACCELERATION_STRUCTURE_READ_BIT_NV");
VK_ACCESS_2_ACCELERATION_STRUCTURE_WRITE_BIT_NV : aliased VkAccessFlags2KHR; -- vulkan_core.h:7624
pragma Import (CPP, VK_ACCESS_2_ACCELERATION_STRUCTURE_WRITE_BIT_NV, "_ZL47VK_ACCESS_2_ACCELERATION_STRUCTURE_WRITE_BIT_NV");
VK_ACCESS_2_FRAGMENT_DENSITY_MAP_READ_BIT_EXT : aliased VkAccessFlags2KHR; -- vulkan_core.h:7625
pragma Import (CPP, VK_ACCESS_2_FRAGMENT_DENSITY_MAP_READ_BIT_EXT, "_ZL45VK_ACCESS_2_FRAGMENT_DENSITY_MAP_READ_BIT_EXT");
VK_ACCESS_2_COLOR_ATTACHMENT_READ_NONCOHERENT_BIT_EXT : aliased VkAccessFlags2KHR; -- vulkan_core.h:7626
pragma Import (CPP, VK_ACCESS_2_COLOR_ATTACHMENT_READ_NONCOHERENT_BIT_EXT, "_ZL53VK_ACCESS_2_COLOR_ATTACHMENT_READ_NONCOHERENT_BIT_EXT");
subtype VkSubmitFlagBitsKHR is unsigned;
VK_SUBMIT_PROTECTED_BIT_KHR : constant VkSubmitFlagBitsKHR := 1;
VK_SUBMIT_FLAG_BITS_MAX_ENUM_KHR : constant VkSubmitFlagBitsKHR := 2147483647; -- vulkan_core.h:7629
subtype VkSubmitFlagsKHR is VkFlags; -- vulkan_core.h:7633
type VkMemoryBarrier2KHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7635
pNext : System.Address; -- vulkan_core.h:7636
srcStageMask : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7637
srcAccessMask : aliased VkAccessFlags2KHR; -- vulkan_core.h:7638
dstStageMask : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7639
dstAccessMask : aliased VkAccessFlags2KHR; -- vulkan_core.h:7640
end record;
pragma Convention (C_Pass_By_Copy, VkMemoryBarrier2KHR); -- vulkan_core.h:7634
type VkBufferMemoryBarrier2KHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7644
pNext : System.Address; -- vulkan_core.h:7645
srcStageMask : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7646
srcAccessMask : aliased VkAccessFlags2KHR; -- vulkan_core.h:7647
dstStageMask : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7648
dstAccessMask : aliased VkAccessFlags2KHR; -- vulkan_core.h:7649
srcQueueFamilyIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:7650
dstQueueFamilyIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:7651
buffer : VkBuffer; -- vulkan_core.h:7652
offset : aliased VkDeviceSize; -- vulkan_core.h:7653
size : aliased VkDeviceSize; -- vulkan_core.h:7654
end record;
pragma Convention (C_Pass_By_Copy, VkBufferMemoryBarrier2KHR); -- vulkan_core.h:7643
type VkImageMemoryBarrier2KHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7658
pNext : System.Address; -- vulkan_core.h:7659
srcStageMask : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7660
srcAccessMask : aliased VkAccessFlags2KHR; -- vulkan_core.h:7661
dstStageMask : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7662
dstAccessMask : aliased VkAccessFlags2KHR; -- vulkan_core.h:7663
oldLayout : aliased VkImageLayout; -- vulkan_core.h:7664
newLayout : aliased VkImageLayout; -- vulkan_core.h:7665
srcQueueFamilyIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:7666
dstQueueFamilyIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:7667
image : VkImage; -- vulkan_core.h:7668
subresourceRange : aliased VkImageSubresourceRange; -- vulkan_core.h:7669
end record;
pragma Convention (C_Pass_By_Copy, VkImageMemoryBarrier2KHR); -- vulkan_core.h:7657
type VkDependencyInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7673
pNext : System.Address; -- vulkan_core.h:7674
dependencyFlags : aliased VkDependencyFlags; -- vulkan_core.h:7675
memoryBarrierCount : aliased stdint_h.uint32_t; -- vulkan_core.h:7676
pMemoryBarriers : System.Address; -- vulkan_core.h:7677
bufferMemoryBarrierCount : aliased stdint_h.uint32_t; -- vulkan_core.h:7678
pBufferMemoryBarriers : System.Address; -- vulkan_core.h:7679
imageMemoryBarrierCount : aliased stdint_h.uint32_t; -- vulkan_core.h:7680
pImageMemoryBarriers : System.Address; -- vulkan_core.h:7681
end record;
pragma Convention (C_Pass_By_Copy, VkDependencyInfoKHR); -- vulkan_core.h:7672
type VkSemaphoreSubmitInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7685
pNext : System.Address; -- vulkan_core.h:7686
semaphore : VkSemaphore; -- vulkan_core.h:7687
value : aliased stdint_h.uint64_t; -- vulkan_core.h:7688
stageMask : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7689
deviceIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:7690
end record;
pragma Convention (C_Pass_By_Copy, VkSemaphoreSubmitInfoKHR); -- vulkan_core.h:7684
type VkCommandBufferSubmitInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7694
pNext : System.Address; -- vulkan_core.h:7695
commandBuffer : VkCommandBuffer; -- vulkan_core.h:7696
deviceMask : aliased stdint_h.uint32_t; -- vulkan_core.h:7697
end record;
pragma Convention (C_Pass_By_Copy, VkCommandBufferSubmitInfoKHR); -- vulkan_core.h:7693
type VkSubmitInfo2KHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7701
pNext : System.Address; -- vulkan_core.h:7702
flags : aliased VkSubmitFlagsKHR; -- vulkan_core.h:7703
waitSemaphoreInfoCount : aliased stdint_h.uint32_t; -- vulkan_core.h:7704
pWaitSemaphoreInfos : System.Address; -- vulkan_core.h:7705
commandBufferInfoCount : aliased stdint_h.uint32_t; -- vulkan_core.h:7706
pCommandBufferInfos : System.Address; -- vulkan_core.h:7707
signalSemaphoreInfoCount : aliased stdint_h.uint32_t; -- vulkan_core.h:7708
pSignalSemaphoreInfos : System.Address; -- vulkan_core.h:7709
end record;
pragma Convention (C_Pass_By_Copy, VkSubmitInfo2KHR); -- vulkan_core.h:7700
type VkPhysicalDeviceSynchronization2FeaturesKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7713
pNext : System.Address; -- vulkan_core.h:7714
synchronization2 : aliased VkBool32; -- vulkan_core.h:7715
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceSynchronization2FeaturesKHR); -- vulkan_core.h:7712
type VkQueueFamilyCheckpointProperties2NV is record
sType : aliased VkStructureType; -- vulkan_core.h:7719
pNext : System.Address; -- vulkan_core.h:7720
checkpointExecutionStageMask : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7721
end record;
pragma Convention (C_Pass_By_Copy, VkQueueFamilyCheckpointProperties2NV); -- vulkan_core.h:7718
type VkCheckpointData2NV is record
sType : aliased VkStructureType; -- vulkan_core.h:7725
pNext : System.Address; -- vulkan_core.h:7726
stage : aliased VkPipelineStageFlags2KHR; -- vulkan_core.h:7727
pCheckpointMarker : System.Address; -- vulkan_core.h:7728
end record;
pragma Convention (C_Pass_By_Copy, VkCheckpointData2NV); -- vulkan_core.h:7724
type PFN_vkCmdSetEvent2KHR is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkEvent;
arg3 : System.Address);
pragma Convention (C, PFN_vkCmdSetEvent2KHR); -- vulkan_core.h:7731
type PFN_vkCmdResetEvent2KHR is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkEvent;
arg3 : VkPipelineStageFlags2KHR);
pragma Convention (C, PFN_vkCmdResetEvent2KHR); -- vulkan_core.h:7732
type PFN_vkCmdWaitEvents2KHR is access procedure
(arg1 : VkCommandBuffer;
arg2 : stdint_h.uint32_t;
arg3 : System.Address;
arg4 : System.Address);
pragma Convention (C, PFN_vkCmdWaitEvents2KHR); -- vulkan_core.h:7733
type PFN_vkCmdPipelineBarrier2KHR is access procedure (arg1 : VkCommandBuffer; arg2 : System.Address);
pragma Convention (C, PFN_vkCmdPipelineBarrier2KHR); -- vulkan_core.h:7734
type PFN_vkCmdWriteTimestamp2KHR is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkPipelineStageFlags2KHR;
arg3 : VkQueryPool;
arg4 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdWriteTimestamp2KHR); -- vulkan_core.h:7735
type PFN_vkQueueSubmit2KHR is access function
(arg1 : VkQueue;
arg2 : stdint_h.uint32_t;
arg3 : System.Address;
arg4 : VkFence) return VkResult;
pragma Convention (C, PFN_vkQueueSubmit2KHR); -- vulkan_core.h:7736
type PFN_vkCmdWriteBufferMarker2AMD is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkPipelineStageFlags2KHR;
arg3 : VkBuffer;
arg4 : VkDeviceSize;
arg5 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdWriteBufferMarker2AMD); -- vulkan_core.h:7737
type PFN_vkGetQueueCheckpointData2NV is access procedure
(arg1 : VkQueue;
arg2 : access stdint_h.uint32_t;
arg3 : access VkCheckpointData2NV);
pragma Convention (C, PFN_vkGetQueueCheckpointData2NV); -- vulkan_core.h:7738
procedure vkCmdSetEvent2KHR
(commandBuffer : VkCommandBuffer;
event : VkEvent;
pDependencyInfo : System.Address); -- vulkan_core.h:7741
pragma Import (C, vkCmdSetEvent2KHR, "vkCmdSetEvent2KHR");
procedure vkCmdResetEvent2KHR
(commandBuffer : VkCommandBuffer;
event : VkEvent;
stageMask : VkPipelineStageFlags2KHR); -- vulkan_core.h:7746
pragma Import (C, vkCmdResetEvent2KHR, "vkCmdResetEvent2KHR");
procedure vkCmdWaitEvents2KHR
(commandBuffer : VkCommandBuffer;
eventCount : stdint_h.uint32_t;
pEvents : System.Address;
pDependencyInfos : System.Address); -- vulkan_core.h:7751
pragma Import (C, vkCmdWaitEvents2KHR, "vkCmdWaitEvents2KHR");
procedure vkCmdPipelineBarrier2KHR (commandBuffer : VkCommandBuffer; pDependencyInfo : System.Address); -- vulkan_core.h:7757
pragma Import (C, vkCmdPipelineBarrier2KHR, "vkCmdPipelineBarrier2KHR");
procedure vkCmdWriteTimestamp2KHR
(commandBuffer : VkCommandBuffer;
stage : VkPipelineStageFlags2KHR;
queryPool : VkQueryPool;
query : stdint_h.uint32_t); -- vulkan_core.h:7761
pragma Import (C, vkCmdWriteTimestamp2KHR, "vkCmdWriteTimestamp2KHR");
function vkQueueSubmit2KHR
(queue : VkQueue;
submitCount : stdint_h.uint32_t;
pSubmits : System.Address;
fence : VkFence) return VkResult; -- vulkan_core.h:7767
pragma Import (C, vkQueueSubmit2KHR, "vkQueueSubmit2KHR");
procedure vkCmdWriteBufferMarker2AMD
(commandBuffer : VkCommandBuffer;
stage : VkPipelineStageFlags2KHR;
dstBuffer : VkBuffer;
dstOffset : VkDeviceSize;
marker : stdint_h.uint32_t); -- vulkan_core.h:7773
pragma Import (C, vkCmdWriteBufferMarker2AMD, "vkCmdWriteBufferMarker2AMD");
procedure vkGetQueueCheckpointData2NV
(queue : VkQueue;
pCheckpointDataCount : access stdint_h.uint32_t;
pCheckpointData : access VkCheckpointData2NV); -- vulkan_core.h:7780
pragma Import (C, vkGetQueueCheckpointData2NV, "vkGetQueueCheckpointData2NV");
type VkPhysicalDeviceZeroInitializeWorkgroupMemoryFeaturesKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7791
pNext : System.Address; -- vulkan_core.h:7792
shaderZeroInitializeWorkgroupMemory : aliased VkBool32; -- vulkan_core.h:7793
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceZeroInitializeWorkgroupMemoryFeaturesKHR); -- vulkan_core.h:7790
type VkPhysicalDeviceWorkgroupMemoryExplicitLayoutFeaturesKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7802
pNext : System.Address; -- vulkan_core.h:7803
workgroupMemoryExplicitLayout : aliased VkBool32; -- vulkan_core.h:7804
workgroupMemoryExplicitLayoutScalarBlockLayout : aliased VkBool32; -- vulkan_core.h:7805
workgroupMemoryExplicitLayout8BitAccess : aliased VkBool32; -- vulkan_core.h:7806
workgroupMemoryExplicitLayout16BitAccess : aliased VkBool32; -- vulkan_core.h:7807
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceWorkgroupMemoryExplicitLayoutFeaturesKHR); -- vulkan_core.h:7801
type VkBufferCopy2KHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7816
pNext : System.Address; -- vulkan_core.h:7817
srcOffset : aliased VkDeviceSize; -- vulkan_core.h:7818
dstOffset : aliased VkDeviceSize; -- vulkan_core.h:7819
size : aliased VkDeviceSize; -- vulkan_core.h:7820
end record;
pragma Convention (C_Pass_By_Copy, VkBufferCopy2KHR); -- vulkan_core.h:7815
type VkCopyBufferInfo2KHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7824
pNext : System.Address; -- vulkan_core.h:7825
srcBuffer : VkBuffer; -- vulkan_core.h:7826
dstBuffer : VkBuffer; -- vulkan_core.h:7827
regionCount : aliased stdint_h.uint32_t; -- vulkan_core.h:7828
pRegions : System.Address; -- vulkan_core.h:7829
end record;
pragma Convention (C_Pass_By_Copy, VkCopyBufferInfo2KHR); -- vulkan_core.h:7823
type VkImageCopy2KHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7833
pNext : System.Address; -- vulkan_core.h:7834
srcSubresource : aliased VkImageSubresourceLayers; -- vulkan_core.h:7835
srcOffset : aliased VkOffset3D; -- vulkan_core.h:7836
dstSubresource : aliased VkImageSubresourceLayers; -- vulkan_core.h:7837
dstOffset : aliased VkOffset3D; -- vulkan_core.h:7838
extent : aliased VkExtent3D; -- vulkan_core.h:7839
end record;
pragma Convention (C_Pass_By_Copy, VkImageCopy2KHR); -- vulkan_core.h:7832
type VkCopyImageInfo2KHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7843
pNext : System.Address; -- vulkan_core.h:7844
srcImage : VkImage; -- vulkan_core.h:7845
srcImageLayout : aliased VkImageLayout; -- vulkan_core.h:7846
dstImage : VkImage; -- vulkan_core.h:7847
dstImageLayout : aliased VkImageLayout; -- vulkan_core.h:7848
regionCount : aliased stdint_h.uint32_t; -- vulkan_core.h:7849
pRegions : System.Address; -- vulkan_core.h:7850
end record;
pragma Convention (C_Pass_By_Copy, VkCopyImageInfo2KHR); -- vulkan_core.h:7842
type VkBufferImageCopy2KHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7854
pNext : System.Address; -- vulkan_core.h:7855
bufferOffset : aliased VkDeviceSize; -- vulkan_core.h:7856
bufferRowLength : aliased stdint_h.uint32_t; -- vulkan_core.h:7857
bufferImageHeight : aliased stdint_h.uint32_t; -- vulkan_core.h:7858
imageSubresource : aliased VkImageSubresourceLayers; -- vulkan_core.h:7859
imageOffset : aliased VkOffset3D; -- vulkan_core.h:7860
imageExtent : aliased VkExtent3D; -- vulkan_core.h:7861
end record;
pragma Convention (C_Pass_By_Copy, VkBufferImageCopy2KHR); -- vulkan_core.h:7853
type VkCopyBufferToImageInfo2KHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7865
pNext : System.Address; -- vulkan_core.h:7866
srcBuffer : VkBuffer; -- vulkan_core.h:7867
dstImage : VkImage; -- vulkan_core.h:7868
dstImageLayout : aliased VkImageLayout; -- vulkan_core.h:7869
regionCount : aliased stdint_h.uint32_t; -- vulkan_core.h:7870
pRegions : System.Address; -- vulkan_core.h:7871
end record;
pragma Convention (C_Pass_By_Copy, VkCopyBufferToImageInfo2KHR); -- vulkan_core.h:7864
type VkCopyImageToBufferInfo2KHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7875
pNext : System.Address; -- vulkan_core.h:7876
srcImage : VkImage; -- vulkan_core.h:7877
srcImageLayout : aliased VkImageLayout; -- vulkan_core.h:7878
dstBuffer : VkBuffer; -- vulkan_core.h:7879
regionCount : aliased stdint_h.uint32_t; -- vulkan_core.h:7880
pRegions : System.Address; -- vulkan_core.h:7881
end record;
pragma Convention (C_Pass_By_Copy, VkCopyImageToBufferInfo2KHR); -- vulkan_core.h:7874
type VkImageBlit2KHR_srcOffsets_array is array (0 .. 1) of aliased VkOffset3D;
type VkImageBlit2KHR_dstOffsets_array is array (0 .. 1) of aliased VkOffset3D;
type VkImageBlit2KHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7885
pNext : System.Address; -- vulkan_core.h:7886
srcSubresource : aliased VkImageSubresourceLayers; -- vulkan_core.h:7887
srcOffsets : aliased VkImageBlit2KHR_srcOffsets_array; -- vulkan_core.h:7888
dstSubresource : aliased VkImageSubresourceLayers; -- vulkan_core.h:7889
dstOffsets : aliased VkImageBlit2KHR_dstOffsets_array; -- vulkan_core.h:7890
end record;
pragma Convention (C_Pass_By_Copy, VkImageBlit2KHR); -- vulkan_core.h:7884
type VkBlitImageInfo2KHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7894
pNext : System.Address; -- vulkan_core.h:7895
srcImage : VkImage; -- vulkan_core.h:7896
srcImageLayout : aliased VkImageLayout; -- vulkan_core.h:7897
dstImage : VkImage; -- vulkan_core.h:7898
dstImageLayout : aliased VkImageLayout; -- vulkan_core.h:7899
regionCount : aliased stdint_h.uint32_t; -- vulkan_core.h:7900
pRegions : System.Address; -- vulkan_core.h:7901
filter : aliased VkFilter; -- vulkan_core.h:7902
end record;
pragma Convention (C_Pass_By_Copy, VkBlitImageInfo2KHR); -- vulkan_core.h:7893
type VkImageResolve2KHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7906
pNext : System.Address; -- vulkan_core.h:7907
srcSubresource : aliased VkImageSubresourceLayers; -- vulkan_core.h:7908
srcOffset : aliased VkOffset3D; -- vulkan_core.h:7909
dstSubresource : aliased VkImageSubresourceLayers; -- vulkan_core.h:7910
dstOffset : aliased VkOffset3D; -- vulkan_core.h:7911
extent : aliased VkExtent3D; -- vulkan_core.h:7912
end record;
pragma Convention (C_Pass_By_Copy, VkImageResolve2KHR); -- vulkan_core.h:7905
type VkResolveImageInfo2KHR is record
sType : aliased VkStructureType; -- vulkan_core.h:7916
pNext : System.Address; -- vulkan_core.h:7917
srcImage : VkImage; -- vulkan_core.h:7918
srcImageLayout : aliased VkImageLayout; -- vulkan_core.h:7919
dstImage : VkImage; -- vulkan_core.h:7920
dstImageLayout : aliased VkImageLayout; -- vulkan_core.h:7921
regionCount : aliased stdint_h.uint32_t; -- vulkan_core.h:7922
pRegions : System.Address; -- vulkan_core.h:7923
end record;
pragma Convention (C_Pass_By_Copy, VkResolveImageInfo2KHR); -- vulkan_core.h:7915
type PFN_vkCmdCopyBuffer2KHR is access procedure (arg1 : VkCommandBuffer; arg2 : System.Address);
pragma Convention (C, PFN_vkCmdCopyBuffer2KHR); -- vulkan_core.h:7926
type PFN_vkCmdCopyImage2KHR is access procedure (arg1 : VkCommandBuffer; arg2 : System.Address);
pragma Convention (C, PFN_vkCmdCopyImage2KHR); -- vulkan_core.h:7927
type PFN_vkCmdCopyBufferToImage2KHR is access procedure (arg1 : VkCommandBuffer; arg2 : System.Address);
pragma Convention (C, PFN_vkCmdCopyBufferToImage2KHR); -- vulkan_core.h:7928
type PFN_vkCmdCopyImageToBuffer2KHR is access procedure (arg1 : VkCommandBuffer; arg2 : System.Address);
pragma Convention (C, PFN_vkCmdCopyImageToBuffer2KHR); -- vulkan_core.h:7929
type PFN_vkCmdBlitImage2KHR is access procedure (arg1 : VkCommandBuffer; arg2 : System.Address);
pragma Convention (C, PFN_vkCmdBlitImage2KHR); -- vulkan_core.h:7930
type PFN_vkCmdResolveImage2KHR is access procedure (arg1 : VkCommandBuffer; arg2 : System.Address);
pragma Convention (C, PFN_vkCmdResolveImage2KHR); -- vulkan_core.h:7931
procedure vkCmdCopyBuffer2KHR (commandBuffer : VkCommandBuffer; pCopyBufferInfo : System.Address); -- vulkan_core.h:7934
pragma Import (C, vkCmdCopyBuffer2KHR, "vkCmdCopyBuffer2KHR");
procedure vkCmdCopyImage2KHR (commandBuffer : VkCommandBuffer; pCopyImageInfo : System.Address); -- vulkan_core.h:7938
pragma Import (C, vkCmdCopyImage2KHR, "vkCmdCopyImage2KHR");
procedure vkCmdCopyBufferToImage2KHR (commandBuffer : VkCommandBuffer; pCopyBufferToImageInfo : System.Address); -- vulkan_core.h:7942
pragma Import (C, vkCmdCopyBufferToImage2KHR, "vkCmdCopyBufferToImage2KHR");
procedure vkCmdCopyImageToBuffer2KHR (commandBuffer : VkCommandBuffer; pCopyImageToBufferInfo : System.Address); -- vulkan_core.h:7946
pragma Import (C, vkCmdCopyImageToBuffer2KHR, "vkCmdCopyImageToBuffer2KHR");
procedure vkCmdBlitImage2KHR (commandBuffer : VkCommandBuffer; pBlitImageInfo : System.Address); -- vulkan_core.h:7950
pragma Import (C, vkCmdBlitImage2KHR, "vkCmdBlitImage2KHR");
procedure vkCmdResolveImage2KHR (commandBuffer : VkCommandBuffer; pResolveImageInfo : System.Address); -- vulkan_core.h:7954
pragma Import (C, vkCmdResolveImage2KHR, "vkCmdResolveImage2KHR");
type VkDebugReportCallbackEXT is new System.Address; -- vulkan_core.h:7961
-- skipped empty struct VkDebugReportCallbackEXT_T
subtype VkDebugReportObjectTypeEXT is unsigned;
VK_DEBUG_REPORT_OBJECT_TYPE_UNKNOWN_EXT : constant VkDebugReportObjectTypeEXT := 0;
VK_DEBUG_REPORT_OBJECT_TYPE_INSTANCE_EXT : constant VkDebugReportObjectTypeEXT := 1;
VK_DEBUG_REPORT_OBJECT_TYPE_PHYSICAL_DEVICE_EXT : constant VkDebugReportObjectTypeEXT := 2;
VK_DEBUG_REPORT_OBJECT_TYPE_DEVICE_EXT : constant VkDebugReportObjectTypeEXT := 3;
VK_DEBUG_REPORT_OBJECT_TYPE_QUEUE_EXT : constant VkDebugReportObjectTypeEXT := 4;
VK_DEBUG_REPORT_OBJECT_TYPE_SEMAPHORE_EXT : constant VkDebugReportObjectTypeEXT := 5;
VK_DEBUG_REPORT_OBJECT_TYPE_COMMAND_BUFFER_EXT : constant VkDebugReportObjectTypeEXT := 6;
VK_DEBUG_REPORT_OBJECT_TYPE_FENCE_EXT : constant VkDebugReportObjectTypeEXT := 7;
VK_DEBUG_REPORT_OBJECT_TYPE_DEVICE_MEMORY_EXT : constant VkDebugReportObjectTypeEXT := 8;
VK_DEBUG_REPORT_OBJECT_TYPE_BUFFER_EXT : constant VkDebugReportObjectTypeEXT := 9;
VK_DEBUG_REPORT_OBJECT_TYPE_IMAGE_EXT : constant VkDebugReportObjectTypeEXT := 10;
VK_DEBUG_REPORT_OBJECT_TYPE_EVENT_EXT : constant VkDebugReportObjectTypeEXT := 11;
VK_DEBUG_REPORT_OBJECT_TYPE_QUERY_POOL_EXT : constant VkDebugReportObjectTypeEXT := 12;
VK_DEBUG_REPORT_OBJECT_TYPE_BUFFER_VIEW_EXT : constant VkDebugReportObjectTypeEXT := 13;
VK_DEBUG_REPORT_OBJECT_TYPE_IMAGE_VIEW_EXT : constant VkDebugReportObjectTypeEXT := 14;
VK_DEBUG_REPORT_OBJECT_TYPE_SHADER_MODULE_EXT : constant VkDebugReportObjectTypeEXT := 15;
VK_DEBUG_REPORT_OBJECT_TYPE_PIPELINE_CACHE_EXT : constant VkDebugReportObjectTypeEXT := 16;
VK_DEBUG_REPORT_OBJECT_TYPE_PIPELINE_LAYOUT_EXT : constant VkDebugReportObjectTypeEXT := 17;
VK_DEBUG_REPORT_OBJECT_TYPE_RENDER_PASS_EXT : constant VkDebugReportObjectTypeEXT := 18;
VK_DEBUG_REPORT_OBJECT_TYPE_PIPELINE_EXT : constant VkDebugReportObjectTypeEXT := 19;
VK_DEBUG_REPORT_OBJECT_TYPE_DESCRIPTOR_SET_LAYOUT_EXT : constant VkDebugReportObjectTypeEXT := 20;
VK_DEBUG_REPORT_OBJECT_TYPE_SAMPLER_EXT : constant VkDebugReportObjectTypeEXT := 21;
VK_DEBUG_REPORT_OBJECT_TYPE_DESCRIPTOR_POOL_EXT : constant VkDebugReportObjectTypeEXT := 22;
VK_DEBUG_REPORT_OBJECT_TYPE_DESCRIPTOR_SET_EXT : constant VkDebugReportObjectTypeEXT := 23;
VK_DEBUG_REPORT_OBJECT_TYPE_FRAMEBUFFER_EXT : constant VkDebugReportObjectTypeEXT := 24;
VK_DEBUG_REPORT_OBJECT_TYPE_COMMAND_POOL_EXT : constant VkDebugReportObjectTypeEXT := 25;
VK_DEBUG_REPORT_OBJECT_TYPE_SURFACE_KHR_EXT : constant VkDebugReportObjectTypeEXT := 26;
VK_DEBUG_REPORT_OBJECT_TYPE_SWAPCHAIN_KHR_EXT : constant VkDebugReportObjectTypeEXT := 27;
VK_DEBUG_REPORT_OBJECT_TYPE_DEBUG_REPORT_CALLBACK_EXT_EXT : constant VkDebugReportObjectTypeEXT := 28;
VK_DEBUG_REPORT_OBJECT_TYPE_DISPLAY_KHR_EXT : constant VkDebugReportObjectTypeEXT := 29;
VK_DEBUG_REPORT_OBJECT_TYPE_DISPLAY_MODE_KHR_EXT : constant VkDebugReportObjectTypeEXT := 30;
VK_DEBUG_REPORT_OBJECT_TYPE_VALIDATION_CACHE_EXT_EXT : constant VkDebugReportObjectTypeEXT := 33;
VK_DEBUG_REPORT_OBJECT_TYPE_SAMPLER_YCBCR_CONVERSION_EXT : constant VkDebugReportObjectTypeEXT := 1000156000;
VK_DEBUG_REPORT_OBJECT_TYPE_DESCRIPTOR_UPDATE_TEMPLATE_EXT : constant VkDebugReportObjectTypeEXT := 1000085000;
VK_DEBUG_REPORT_OBJECT_TYPE_ACCELERATION_STRUCTURE_KHR_EXT : constant VkDebugReportObjectTypeEXT := 1000150000;
VK_DEBUG_REPORT_OBJECT_TYPE_ACCELERATION_STRUCTURE_NV_EXT : constant VkDebugReportObjectTypeEXT := 1000165000;
VK_DEBUG_REPORT_OBJECT_TYPE_DEBUG_REPORT_EXT : constant VkDebugReportObjectTypeEXT := 28;
VK_DEBUG_REPORT_OBJECT_TYPE_VALIDATION_CACHE_EXT : constant VkDebugReportObjectTypeEXT := 33;
VK_DEBUG_REPORT_OBJECT_TYPE_DESCRIPTOR_UPDATE_TEMPLATE_KHR_EXT : constant VkDebugReportObjectTypeEXT := 1000085000;
VK_DEBUG_REPORT_OBJECT_TYPE_SAMPLER_YCBCR_CONVERSION_KHR_EXT : constant VkDebugReportObjectTypeEXT := 1000156000;
VK_DEBUG_REPORT_OBJECT_TYPE_MAX_ENUM_EXT : constant VkDebugReportObjectTypeEXT := 2147483647; -- vulkan_core.h:7965
subtype VkDebugReportFlagBitsEXT is unsigned;
VK_DEBUG_REPORT_INFORMATION_BIT_EXT : constant VkDebugReportFlagBitsEXT := 1;
VK_DEBUG_REPORT_WARNING_BIT_EXT : constant VkDebugReportFlagBitsEXT := 2;
VK_DEBUG_REPORT_PERFORMANCE_WARNING_BIT_EXT : constant VkDebugReportFlagBitsEXT := 4;
VK_DEBUG_REPORT_ERROR_BIT_EXT : constant VkDebugReportFlagBitsEXT := 8;
VK_DEBUG_REPORT_DEBUG_BIT_EXT : constant VkDebugReportFlagBitsEXT := 16;
VK_DEBUG_REPORT_FLAG_BITS_MAX_ENUM_EXT : constant VkDebugReportFlagBitsEXT := 2147483647; -- vulkan_core.h:8009
subtype VkDebugReportFlagsEXT is VkFlags; -- vulkan_core.h:8017
type PFN_vkDebugReportCallbackEXT is access function
(arg1 : VkDebugReportFlagsEXT;
arg2 : VkDebugReportObjectTypeEXT;
arg3 : stdint_h.uint64_t;
arg4 : crtdefs_h.size_t;
arg5 : stdint_h.int32_t;
arg6 : Interfaces.C.Strings.chars_ptr;
arg7 : Interfaces.C.Strings.chars_ptr;
arg8 : System.Address) return VkBool32;
pragma Convention (C, PFN_vkDebugReportCallbackEXT); -- vulkan_core.h:8018
type VkDebugReportCallbackCreateInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:8029
pNext : System.Address; -- vulkan_core.h:8030
flags : aliased VkDebugReportFlagsEXT; -- vulkan_core.h:8031
pfnCallback : PFN_vkDebugReportCallbackEXT; -- vulkan_core.h:8032
pUserData : System.Address; -- vulkan_core.h:8033
end record;
pragma Convention (C_Pass_By_Copy, VkDebugReportCallbackCreateInfoEXT); -- vulkan_core.h:8028
type PFN_vkCreateDebugReportCallbackEXT is access function
(arg1 : VkInstance;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateDebugReportCallbackEXT); -- vulkan_core.h:8036
type PFN_vkDestroyDebugReportCallbackEXT is access procedure
(arg1 : VkInstance;
arg2 : VkDebugReportCallbackEXT;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroyDebugReportCallbackEXT); -- vulkan_core.h:8037
type PFN_vkDebugReportMessageEXT is access procedure
(arg1 : VkInstance;
arg2 : VkDebugReportFlagsEXT;
arg3 : VkDebugReportObjectTypeEXT;
arg4 : stdint_h.uint64_t;
arg5 : crtdefs_h.size_t;
arg6 : stdint_h.int32_t;
arg7 : Interfaces.C.Strings.chars_ptr;
arg8 : Interfaces.C.Strings.chars_ptr);
pragma Convention (C, PFN_vkDebugReportMessageEXT); -- vulkan_core.h:8038
function vkCreateDebugReportCallbackEXT
(instance : VkInstance;
pCreateInfo : System.Address;
pAllocator : System.Address;
pCallback : System.Address) return VkResult; -- vulkan_core.h:8041
pragma Import (C, vkCreateDebugReportCallbackEXT, "vkCreateDebugReportCallbackEXT");
procedure vkDestroyDebugReportCallbackEXT
(instance : VkInstance;
callback : VkDebugReportCallbackEXT;
pAllocator : System.Address); -- vulkan_core.h:8047
pragma Import (C, vkDestroyDebugReportCallbackEXT, "vkDestroyDebugReportCallbackEXT");
procedure vkDebugReportMessageEXT
(instance : VkInstance;
flags : VkDebugReportFlagsEXT;
objectType : VkDebugReportObjectTypeEXT;
object : stdint_h.uint64_t;
location : crtdefs_h.size_t;
messageCode : stdint_h.int32_t;
pLayerPrefix : Interfaces.C.Strings.chars_ptr;
pMessage : Interfaces.C.Strings.chars_ptr); -- vulkan_core.h:8052
pragma Import (C, vkDebugReportMessageEXT, "vkDebugReportMessageEXT");
subtype VkRasterizationOrderAMD is unsigned;
VK_RASTERIZATION_ORDER_STRICT_AMD : constant VkRasterizationOrderAMD := 0;
VK_RASTERIZATION_ORDER_RELAXED_AMD : constant VkRasterizationOrderAMD := 1;
VK_RASTERIZATION_ORDER_MAX_ENUM_AMD : constant VkRasterizationOrderAMD := 2147483647; -- vulkan_core.h:8083
type VkPipelineRasterizationStateRasterizationOrderAMD is record
sType : aliased VkStructureType; -- vulkan_core.h:8089
pNext : System.Address; -- vulkan_core.h:8090
rasterizationOrder : aliased VkRasterizationOrderAMD; -- vulkan_core.h:8091
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineRasterizationStateRasterizationOrderAMD); -- vulkan_core.h:8088
type VkDebugMarkerObjectNameInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:8110
pNext : System.Address; -- vulkan_core.h:8111
objectType : aliased VkDebugReportObjectTypeEXT; -- vulkan_core.h:8112
object : aliased stdint_h.uint64_t; -- vulkan_core.h:8113
pObjectName : Interfaces.C.Strings.chars_ptr; -- vulkan_core.h:8114
end record;
pragma Convention (C_Pass_By_Copy, VkDebugMarkerObjectNameInfoEXT); -- vulkan_core.h:8109
type VkDebugMarkerObjectTagInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:8118
pNext : System.Address; -- vulkan_core.h:8119
objectType : aliased VkDebugReportObjectTypeEXT; -- vulkan_core.h:8120
object : aliased stdint_h.uint64_t; -- vulkan_core.h:8121
tagName : aliased stdint_h.uint64_t; -- vulkan_core.h:8122
tagSize : aliased crtdefs_h.size_t; -- vulkan_core.h:8123
pTag : System.Address; -- vulkan_core.h:8124
end record;
pragma Convention (C_Pass_By_Copy, VkDebugMarkerObjectTagInfoEXT); -- vulkan_core.h:8117
type VkDebugMarkerMarkerInfoEXT_color_array is array (0 .. 3) of aliased float;
type VkDebugMarkerMarkerInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:8128
pNext : System.Address; -- vulkan_core.h:8129
pMarkerName : Interfaces.C.Strings.chars_ptr; -- vulkan_core.h:8130
color : aliased VkDebugMarkerMarkerInfoEXT_color_array; -- vulkan_core.h:8131
end record;
pragma Convention (C_Pass_By_Copy, VkDebugMarkerMarkerInfoEXT); -- vulkan_core.h:8127
type PFN_vkDebugMarkerSetObjectTagEXT is access function (arg1 : VkDevice; arg2 : System.Address) return VkResult;
pragma Convention (C, PFN_vkDebugMarkerSetObjectTagEXT); -- vulkan_core.h:8134
type PFN_vkDebugMarkerSetObjectNameEXT is access function (arg1 : VkDevice; arg2 : System.Address) return VkResult;
pragma Convention (C, PFN_vkDebugMarkerSetObjectNameEXT); -- vulkan_core.h:8135
type PFN_vkCmdDebugMarkerBeginEXT is access procedure (arg1 : VkCommandBuffer; arg2 : System.Address);
pragma Convention (C, PFN_vkCmdDebugMarkerBeginEXT); -- vulkan_core.h:8136
type PFN_vkCmdDebugMarkerEndEXT is access procedure (arg1 : VkCommandBuffer);
pragma Convention (C, PFN_vkCmdDebugMarkerEndEXT); -- vulkan_core.h:8137
type PFN_vkCmdDebugMarkerInsertEXT is access procedure (arg1 : VkCommandBuffer; arg2 : System.Address);
pragma Convention (C, PFN_vkCmdDebugMarkerInsertEXT); -- vulkan_core.h:8138
function vkDebugMarkerSetObjectTagEXT (device : VkDevice; pTagInfo : System.Address) return VkResult; -- vulkan_core.h:8141
pragma Import (C, vkDebugMarkerSetObjectTagEXT, "vkDebugMarkerSetObjectTagEXT");
function vkDebugMarkerSetObjectNameEXT (device : VkDevice; pNameInfo : System.Address) return VkResult; -- vulkan_core.h:8145
pragma Import (C, vkDebugMarkerSetObjectNameEXT, "vkDebugMarkerSetObjectNameEXT");
procedure vkCmdDebugMarkerBeginEXT (commandBuffer : VkCommandBuffer; pMarkerInfo : System.Address); -- vulkan_core.h:8149
pragma Import (C, vkCmdDebugMarkerBeginEXT, "vkCmdDebugMarkerBeginEXT");
procedure vkCmdDebugMarkerEndEXT (commandBuffer : VkCommandBuffer); -- vulkan_core.h:8153
pragma Import (C, vkCmdDebugMarkerEndEXT, "vkCmdDebugMarkerEndEXT");
procedure vkCmdDebugMarkerInsertEXT (commandBuffer : VkCommandBuffer; pMarkerInfo : System.Address); -- vulkan_core.h:8156
pragma Import (C, vkCmdDebugMarkerInsertEXT, "vkCmdDebugMarkerInsertEXT");
type VkDedicatedAllocationImageCreateInfoNV is record
sType : aliased VkStructureType; -- vulkan_core.h:8171
pNext : System.Address; -- vulkan_core.h:8172
dedicatedAllocation : aliased VkBool32; -- vulkan_core.h:8173
end record;
pragma Convention (C_Pass_By_Copy, VkDedicatedAllocationImageCreateInfoNV); -- vulkan_core.h:8170
type VkDedicatedAllocationBufferCreateInfoNV is record
sType : aliased VkStructureType; -- vulkan_core.h:8177
pNext : System.Address; -- vulkan_core.h:8178
dedicatedAllocation : aliased VkBool32; -- vulkan_core.h:8179
end record;
pragma Convention (C_Pass_By_Copy, VkDedicatedAllocationBufferCreateInfoNV); -- vulkan_core.h:8176
type VkDedicatedAllocationMemoryAllocateInfoNV is record
sType : aliased VkStructureType; -- vulkan_core.h:8183
pNext : System.Address; -- vulkan_core.h:8184
image : VkImage; -- vulkan_core.h:8185
buffer : VkBuffer; -- vulkan_core.h:8186
end record;
pragma Convention (C_Pass_By_Copy, VkDedicatedAllocationMemoryAllocateInfoNV); -- vulkan_core.h:8182
subtype VkPipelineRasterizationStateStreamCreateFlagsEXT is VkFlags; -- vulkan_core.h:8194
type VkPhysicalDeviceTransformFeedbackFeaturesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:8196
pNext : System.Address; -- vulkan_core.h:8197
transformFeedback : aliased VkBool32; -- vulkan_core.h:8198
geometryStreams : aliased VkBool32; -- vulkan_core.h:8199
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceTransformFeedbackFeaturesEXT); -- vulkan_core.h:8195
type VkPhysicalDeviceTransformFeedbackPropertiesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:8203
pNext : System.Address; -- vulkan_core.h:8204
maxTransformFeedbackStreams : aliased stdint_h.uint32_t; -- vulkan_core.h:8205
maxTransformFeedbackBuffers : aliased stdint_h.uint32_t; -- vulkan_core.h:8206
maxTransformFeedbackBufferSize : aliased VkDeviceSize; -- vulkan_core.h:8207
maxTransformFeedbackStreamDataSize : aliased stdint_h.uint32_t; -- vulkan_core.h:8208
maxTransformFeedbackBufferDataSize : aliased stdint_h.uint32_t; -- vulkan_core.h:8209
maxTransformFeedbackBufferDataStride : aliased stdint_h.uint32_t; -- vulkan_core.h:8210
transformFeedbackQueries : aliased VkBool32; -- vulkan_core.h:8211
transformFeedbackStreamsLinesTriangles : aliased VkBool32; -- vulkan_core.h:8212
transformFeedbackRasterizationStreamSelect : aliased VkBool32; -- vulkan_core.h:8213
transformFeedbackDraw : aliased VkBool32; -- vulkan_core.h:8214
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceTransformFeedbackPropertiesEXT); -- vulkan_core.h:8202
type VkPipelineRasterizationStateStreamCreateInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:8218
pNext : System.Address; -- vulkan_core.h:8219
flags : aliased VkPipelineRasterizationStateStreamCreateFlagsEXT; -- vulkan_core.h:8220
rasterizationStream : aliased stdint_h.uint32_t; -- vulkan_core.h:8221
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineRasterizationStateStreamCreateInfoEXT); -- vulkan_core.h:8217
type PFN_vkCmdBindTransformFeedbackBuffersEXT is access procedure
(arg1 : VkCommandBuffer;
arg2 : stdint_h.uint32_t;
arg3 : stdint_h.uint32_t;
arg4 : System.Address;
arg5 : access VkDeviceSize;
arg6 : access VkDeviceSize);
pragma Convention (C, PFN_vkCmdBindTransformFeedbackBuffersEXT); -- vulkan_core.h:8224
type PFN_vkCmdBeginTransformFeedbackEXT is access procedure
(arg1 : VkCommandBuffer;
arg2 : stdint_h.uint32_t;
arg3 : stdint_h.uint32_t;
arg4 : System.Address;
arg5 : access VkDeviceSize);
pragma Convention (C, PFN_vkCmdBeginTransformFeedbackEXT); -- vulkan_core.h:8225
type PFN_vkCmdEndTransformFeedbackEXT is access procedure
(arg1 : VkCommandBuffer;
arg2 : stdint_h.uint32_t;
arg3 : stdint_h.uint32_t;
arg4 : System.Address;
arg5 : access VkDeviceSize);
pragma Convention (C, PFN_vkCmdEndTransformFeedbackEXT); -- vulkan_core.h:8226
type PFN_vkCmdBeginQueryIndexedEXT is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkQueryPool;
arg3 : stdint_h.uint32_t;
arg4 : VkQueryControlFlags;
arg5 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdBeginQueryIndexedEXT); -- vulkan_core.h:8227
type PFN_vkCmdEndQueryIndexedEXT is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkQueryPool;
arg3 : stdint_h.uint32_t;
arg4 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdEndQueryIndexedEXT); -- vulkan_core.h:8228
type PFN_vkCmdDrawIndirectByteCountEXT is access procedure
(arg1 : VkCommandBuffer;
arg2 : stdint_h.uint32_t;
arg3 : stdint_h.uint32_t;
arg4 : VkBuffer;
arg5 : VkDeviceSize;
arg6 : stdint_h.uint32_t;
arg7 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdDrawIndirectByteCountEXT); -- vulkan_core.h:8229
procedure vkCmdBindTransformFeedbackBuffersEXT
(commandBuffer : VkCommandBuffer;
firstBinding : stdint_h.uint32_t;
bindingCount : stdint_h.uint32_t;
pBuffers : System.Address;
pOffsets : access VkDeviceSize;
pSizes : access VkDeviceSize); -- vulkan_core.h:8232
pragma Import (C, vkCmdBindTransformFeedbackBuffersEXT, "vkCmdBindTransformFeedbackBuffersEXT");
procedure vkCmdBeginTransformFeedbackEXT
(commandBuffer : VkCommandBuffer;
firstCounterBuffer : stdint_h.uint32_t;
counterBufferCount : stdint_h.uint32_t;
pCounterBuffers : System.Address;
pCounterBufferOffsets : access VkDeviceSize); -- vulkan_core.h:8240
pragma Import (C, vkCmdBeginTransformFeedbackEXT, "vkCmdBeginTransformFeedbackEXT");
procedure vkCmdEndTransformFeedbackEXT
(commandBuffer : VkCommandBuffer;
firstCounterBuffer : stdint_h.uint32_t;
counterBufferCount : stdint_h.uint32_t;
pCounterBuffers : System.Address;
pCounterBufferOffsets : access VkDeviceSize); -- vulkan_core.h:8247
pragma Import (C, vkCmdEndTransformFeedbackEXT, "vkCmdEndTransformFeedbackEXT");
procedure vkCmdBeginQueryIndexedEXT
(commandBuffer : VkCommandBuffer;
queryPool : VkQueryPool;
query : stdint_h.uint32_t;
flags : VkQueryControlFlags;
index : stdint_h.uint32_t); -- vulkan_core.h:8254
pragma Import (C, vkCmdBeginQueryIndexedEXT, "vkCmdBeginQueryIndexedEXT");
procedure vkCmdEndQueryIndexedEXT
(commandBuffer : VkCommandBuffer;
queryPool : VkQueryPool;
query : stdint_h.uint32_t;
index : stdint_h.uint32_t); -- vulkan_core.h:8261
pragma Import (C, vkCmdEndQueryIndexedEXT, "vkCmdEndQueryIndexedEXT");
procedure vkCmdDrawIndirectByteCountEXT
(commandBuffer : VkCommandBuffer;
instanceCount : stdint_h.uint32_t;
firstInstance : stdint_h.uint32_t;
counterBuffer : VkBuffer;
counterBufferOffset : VkDeviceSize;
counterOffset : stdint_h.uint32_t;
vertexStride : stdint_h.uint32_t); -- vulkan_core.h:8267
pragma Import (C, vkCmdDrawIndirectByteCountEXT, "vkCmdDrawIndirectByteCountEXT");
type VkImageViewHandleInfoNVX is record
sType : aliased VkStructureType; -- vulkan_core.h:8282
pNext : System.Address; -- vulkan_core.h:8283
imageView : VkImageView; -- vulkan_core.h:8284
descriptorType : aliased VkDescriptorType; -- vulkan_core.h:8285
sampler : VkSampler; -- vulkan_core.h:8286
end record;
pragma Convention (C_Pass_By_Copy, VkImageViewHandleInfoNVX); -- vulkan_core.h:8281
type VkImageViewAddressPropertiesNVX is record
sType : aliased VkStructureType; -- vulkan_core.h:8290
pNext : System.Address; -- vulkan_core.h:8291
deviceAddress : aliased VkDeviceAddress; -- vulkan_core.h:8292
size : aliased VkDeviceSize; -- vulkan_core.h:8293
end record;
pragma Convention (C_Pass_By_Copy, VkImageViewAddressPropertiesNVX); -- vulkan_core.h:8289
type PFN_vkGetImageViewHandleNVX is access function (arg1 : VkDevice; arg2 : System.Address) return stdint_h.uint32_t;
pragma Convention (C, PFN_vkGetImageViewHandleNVX); -- vulkan_core.h:8296
type PFN_vkGetImageViewAddressNVX is access function
(arg1 : VkDevice;
arg2 : VkImageView;
arg3 : access VkImageViewAddressPropertiesNVX) return VkResult;
pragma Convention (C, PFN_vkGetImageViewAddressNVX); -- vulkan_core.h:8297
function vkGetImageViewHandleNVX (device : VkDevice; pInfo : System.Address) return stdint_h.uint32_t; -- vulkan_core.h:8300
pragma Import (C, vkGetImageViewHandleNVX, "vkGetImageViewHandleNVX");
function vkGetImageViewAddressNVX
(device : VkDevice;
imageView : VkImageView;
pProperties : access VkImageViewAddressPropertiesNVX) return VkResult; -- vulkan_core.h:8304
pragma Import (C, vkGetImageViewAddressNVX, "vkGetImageViewAddressNVX");
type PFN_vkCmdDrawIndirectCountAMD is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkBuffer;
arg3 : VkDeviceSize;
arg4 : VkBuffer;
arg5 : VkDeviceSize;
arg6 : stdint_h.uint32_t;
arg7 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdDrawIndirectCountAMD); -- vulkan_core.h:8314
type PFN_vkCmdDrawIndexedIndirectCountAMD is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkBuffer;
arg3 : VkDeviceSize;
arg4 : VkBuffer;
arg5 : VkDeviceSize;
arg6 : stdint_h.uint32_t;
arg7 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdDrawIndexedIndirectCountAMD); -- vulkan_core.h:8315
procedure vkCmdDrawIndirectCountAMD
(commandBuffer : VkCommandBuffer;
buffer : VkBuffer;
offset : VkDeviceSize;
countBuffer : VkBuffer;
countBufferOffset : VkDeviceSize;
maxDrawCount : stdint_h.uint32_t;
stride : stdint_h.uint32_t); -- vulkan_core.h:8318
pragma Import (C, vkCmdDrawIndirectCountAMD, "vkCmdDrawIndirectCountAMD");
procedure vkCmdDrawIndexedIndirectCountAMD
(commandBuffer : VkCommandBuffer;
buffer : VkBuffer;
offset : VkDeviceSize;
countBuffer : VkBuffer;
countBufferOffset : VkDeviceSize;
maxDrawCount : stdint_h.uint32_t;
stride : stdint_h.uint32_t); -- vulkan_core.h:8327
pragma Import (C, vkCmdDrawIndexedIndirectCountAMD, "vkCmdDrawIndexedIndirectCountAMD");
type VkTextureLODGatherFormatPropertiesAMD is record
sType : aliased VkStructureType; -- vulkan_core.h:8357
pNext : System.Address; -- vulkan_core.h:8358
supportsTextureGatherLODBiasAMD : aliased VkBool32; -- vulkan_core.h:8359
end record;
pragma Convention (C_Pass_By_Copy, VkTextureLODGatherFormatPropertiesAMD); -- vulkan_core.h:8356
subtype VkShaderInfoTypeAMD is unsigned;
VK_SHADER_INFO_TYPE_STATISTICS_AMD : constant VkShaderInfoTypeAMD := 0;
VK_SHADER_INFO_TYPE_BINARY_AMD : constant VkShaderInfoTypeAMD := 1;
VK_SHADER_INFO_TYPE_DISASSEMBLY_AMD : constant VkShaderInfoTypeAMD := 2;
VK_SHADER_INFO_TYPE_MAX_ENUM_AMD : constant VkShaderInfoTypeAMD := 2147483647; -- vulkan_core.h:8368
type VkShaderResourceUsageAMD is record
numUsedVgprs : aliased stdint_h.uint32_t; -- vulkan_core.h:8375
numUsedSgprs : aliased stdint_h.uint32_t; -- vulkan_core.h:8376
ldsSizePerLocalWorkGroup : aliased stdint_h.uint32_t; -- vulkan_core.h:8377
ldsUsageSizeInBytes : aliased crtdefs_h.size_t; -- vulkan_core.h:8378
scratchMemUsageInBytes : aliased crtdefs_h.size_t; -- vulkan_core.h:8379
end record;
pragma Convention (C_Pass_By_Copy, VkShaderResourceUsageAMD); -- vulkan_core.h:8374
type VkShaderStatisticsInfoAMD_computeWorkGroupSize_array is array (0 .. 2) of aliased stdint_h.uint32_t;
type VkShaderStatisticsInfoAMD is record
shaderStageMask : aliased VkShaderStageFlags; -- vulkan_core.h:8383
resourceUsage : aliased VkShaderResourceUsageAMD; -- vulkan_core.h:8384
numPhysicalVgprs : aliased stdint_h.uint32_t; -- vulkan_core.h:8385
numPhysicalSgprs : aliased stdint_h.uint32_t; -- vulkan_core.h:8386
numAvailableVgprs : aliased stdint_h.uint32_t; -- vulkan_core.h:8387
numAvailableSgprs : aliased stdint_h.uint32_t; -- vulkan_core.h:8388
computeWorkGroupSize : aliased VkShaderStatisticsInfoAMD_computeWorkGroupSize_array; -- vulkan_core.h:8389
end record;
pragma Convention (C_Pass_By_Copy, VkShaderStatisticsInfoAMD); -- vulkan_core.h:8382
type PFN_vkGetShaderInfoAMD is access function
(arg1 : VkDevice;
arg2 : VkPipeline;
arg3 : VkShaderStageFlagBits;
arg4 : VkShaderInfoTypeAMD;
arg5 : access crtdefs_h.size_t;
arg6 : System.Address) return VkResult;
pragma Convention (C, PFN_vkGetShaderInfoAMD); -- vulkan_core.h:8392
function vkGetShaderInfoAMD
(device : VkDevice;
pipeline : VkPipeline;
shaderStage : VkShaderStageFlagBits;
infoType : VkShaderInfoTypeAMD;
pInfoSize : access crtdefs_h.size_t;
pInfo : System.Address) return VkResult; -- vulkan_core.h:8395
pragma Import (C, vkGetShaderInfoAMD, "vkGetShaderInfoAMD");
type VkPhysicalDeviceCornerSampledImageFeaturesNV is record
sType : aliased VkStructureType; -- vulkan_core.h:8414
pNext : System.Address; -- vulkan_core.h:8415
cornerSampledImage : aliased VkBool32; -- vulkan_core.h:8416
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceCornerSampledImageFeaturesNV); -- vulkan_core.h:8413
subtype VkExternalMemoryHandleTypeFlagBitsNV is unsigned;
VK_EXTERNAL_MEMORY_HANDLE_TYPE_OPAQUE_WIN32_BIT_NV : constant VkExternalMemoryHandleTypeFlagBitsNV := 1;
VK_EXTERNAL_MEMORY_HANDLE_TYPE_OPAQUE_WIN32_KMT_BIT_NV : constant VkExternalMemoryHandleTypeFlagBitsNV := 2;
VK_EXTERNAL_MEMORY_HANDLE_TYPE_D3D11_IMAGE_BIT_NV : constant VkExternalMemoryHandleTypeFlagBitsNV := 4;
VK_EXTERNAL_MEMORY_HANDLE_TYPE_D3D11_IMAGE_KMT_BIT_NV : constant VkExternalMemoryHandleTypeFlagBitsNV := 8;
VK_EXTERNAL_MEMORY_HANDLE_TYPE_FLAG_BITS_MAX_ENUM_NV : constant VkExternalMemoryHandleTypeFlagBitsNV := 2147483647; -- vulkan_core.h:8430
subtype VkExternalMemoryHandleTypeFlagsNV is VkFlags; -- vulkan_core.h:8437
subtype VkExternalMemoryFeatureFlagBitsNV is unsigned;
VK_EXTERNAL_MEMORY_FEATURE_DEDICATED_ONLY_BIT_NV : constant VkExternalMemoryFeatureFlagBitsNV := 1;
VK_EXTERNAL_MEMORY_FEATURE_EXPORTABLE_BIT_NV : constant VkExternalMemoryFeatureFlagBitsNV := 2;
VK_EXTERNAL_MEMORY_FEATURE_IMPORTABLE_BIT_NV : constant VkExternalMemoryFeatureFlagBitsNV := 4;
VK_EXTERNAL_MEMORY_FEATURE_FLAG_BITS_MAX_ENUM_NV : constant VkExternalMemoryFeatureFlagBitsNV := 2147483647; -- vulkan_core.h:8439
subtype VkExternalMemoryFeatureFlagsNV is VkFlags; -- vulkan_core.h:8445
type VkExternalImageFormatPropertiesNV is record
imageFormatProperties : aliased VkImageFormatProperties; -- vulkan_core.h:8447
externalMemoryFeatures : aliased VkExternalMemoryFeatureFlagsNV; -- vulkan_core.h:8448
exportFromImportedHandleTypes : aliased VkExternalMemoryHandleTypeFlagsNV; -- vulkan_core.h:8449
compatibleHandleTypes : aliased VkExternalMemoryHandleTypeFlagsNV; -- vulkan_core.h:8450
end record;
pragma Convention (C_Pass_By_Copy, VkExternalImageFormatPropertiesNV); -- vulkan_core.h:8446
type PFN_vkGetPhysicalDeviceExternalImageFormatPropertiesNV is access function
(arg1 : VkPhysicalDevice;
arg2 : VkFormat;
arg3 : VkImageType;
arg4 : VkImageTiling;
arg5 : VkImageUsageFlags;
arg6 : VkImageCreateFlags;
arg7 : VkExternalMemoryHandleTypeFlagsNV;
arg8 : access VkExternalImageFormatPropertiesNV) return VkResult;
pragma Convention (C, PFN_vkGetPhysicalDeviceExternalImageFormatPropertiesNV); -- vulkan_core.h:8453
function vkGetPhysicalDeviceExternalImageFormatPropertiesNV
(physicalDevice : VkPhysicalDevice;
format : VkFormat;
c_type : VkImageType;
tiling : VkImageTiling;
usage : VkImageUsageFlags;
flags : VkImageCreateFlags;
externalHandleType : VkExternalMemoryHandleTypeFlagsNV;
pExternalImageFormatProperties : access VkExternalImageFormatPropertiesNV) return VkResult; -- vulkan_core.h:8456
pragma Import (C, vkGetPhysicalDeviceExternalImageFormatPropertiesNV, "vkGetPhysicalDeviceExternalImageFormatPropertiesNV");
type VkExternalMemoryImageCreateInfoNV is record
sType : aliased VkStructureType; -- vulkan_core.h:8472
pNext : System.Address; -- vulkan_core.h:8473
handleTypes : aliased VkExternalMemoryHandleTypeFlagsNV; -- vulkan_core.h:8474
end record;
pragma Convention (C_Pass_By_Copy, VkExternalMemoryImageCreateInfoNV); -- vulkan_core.h:8471
type VkExportMemoryAllocateInfoNV is record
sType : aliased VkStructureType; -- vulkan_core.h:8478
pNext : System.Address; -- vulkan_core.h:8479
handleTypes : aliased VkExternalMemoryHandleTypeFlagsNV; -- vulkan_core.h:8480
end record;
pragma Convention (C_Pass_By_Copy, VkExportMemoryAllocateInfoNV); -- vulkan_core.h:8477
subtype VkValidationCheckEXT is unsigned;
VK_VALIDATION_CHECK_ALL_EXT : constant VkValidationCheckEXT := 0;
VK_VALIDATION_CHECK_SHADERS_EXT : constant VkValidationCheckEXT := 1;
VK_VALIDATION_CHECK_MAX_ENUM_EXT : constant VkValidationCheckEXT := 2147483647; -- vulkan_core.h:8489
type VkValidationFlagsEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:8495
pNext : System.Address; -- vulkan_core.h:8496
disabledValidationCheckCount : aliased stdint_h.uint32_t; -- vulkan_core.h:8497
pDisabledValidationChecks : System.Address; -- vulkan_core.h:8498
end record;
pragma Convention (C_Pass_By_Copy, VkValidationFlagsEXT); -- vulkan_core.h:8494
type VkPhysicalDeviceTextureCompressionASTCHDRFeaturesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:8517
pNext : System.Address; -- vulkan_core.h:8518
textureCompressionASTC_HDR : aliased VkBool32; -- vulkan_core.h:8519
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceTextureCompressionASTCHDRFeaturesEXT); -- vulkan_core.h:8516
type VkImageViewASTCDecodeModeEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:8528
pNext : System.Address; -- vulkan_core.h:8529
decodeMode : aliased VkFormat; -- vulkan_core.h:8530
end record;
pragma Convention (C_Pass_By_Copy, VkImageViewASTCDecodeModeEXT); -- vulkan_core.h:8527
type VkPhysicalDeviceASTCDecodeFeaturesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:8534
pNext : System.Address; -- vulkan_core.h:8535
decodeModeSharedExponent : aliased VkBool32; -- vulkan_core.h:8536
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceASTCDecodeFeaturesEXT); -- vulkan_core.h:8533
subtype VkConditionalRenderingFlagBitsEXT is unsigned;
VK_CONDITIONAL_RENDERING_INVERTED_BIT_EXT : constant VkConditionalRenderingFlagBitsEXT := 1;
VK_CONDITIONAL_RENDERING_FLAG_BITS_MAX_ENUM_EXT : constant VkConditionalRenderingFlagBitsEXT := 2147483647; -- vulkan_core.h:8545
subtype VkConditionalRenderingFlagsEXT is VkFlags; -- vulkan_core.h:8549
type VkConditionalRenderingBeginInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:8551
pNext : System.Address; -- vulkan_core.h:8552
buffer : VkBuffer; -- vulkan_core.h:8553
offset : aliased VkDeviceSize; -- vulkan_core.h:8554
flags : aliased VkConditionalRenderingFlagsEXT; -- vulkan_core.h:8555
end record;
pragma Convention (C_Pass_By_Copy, VkConditionalRenderingBeginInfoEXT); -- vulkan_core.h:8550
type VkPhysicalDeviceConditionalRenderingFeaturesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:8559
pNext : System.Address; -- vulkan_core.h:8560
conditionalRendering : aliased VkBool32; -- vulkan_core.h:8561
inheritedConditionalRendering : aliased VkBool32; -- vulkan_core.h:8562
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceConditionalRenderingFeaturesEXT); -- vulkan_core.h:8558
type VkCommandBufferInheritanceConditionalRenderingInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:8566
pNext : System.Address; -- vulkan_core.h:8567
conditionalRenderingEnable : aliased VkBool32; -- vulkan_core.h:8568
end record;
pragma Convention (C_Pass_By_Copy, VkCommandBufferInheritanceConditionalRenderingInfoEXT); -- vulkan_core.h:8565
type PFN_vkCmdBeginConditionalRenderingEXT is access procedure (arg1 : VkCommandBuffer; arg2 : System.Address);
pragma Convention (C, PFN_vkCmdBeginConditionalRenderingEXT); -- vulkan_core.h:8571
type PFN_vkCmdEndConditionalRenderingEXT is access procedure (arg1 : VkCommandBuffer);
pragma Convention (C, PFN_vkCmdEndConditionalRenderingEXT); -- vulkan_core.h:8572
procedure vkCmdBeginConditionalRenderingEXT (commandBuffer : VkCommandBuffer; pConditionalRenderingBegin : System.Address); -- vulkan_core.h:8575
pragma Import (C, vkCmdBeginConditionalRenderingEXT, "vkCmdBeginConditionalRenderingEXT");
procedure vkCmdEndConditionalRenderingEXT (commandBuffer : VkCommandBuffer); -- vulkan_core.h:8579
pragma Import (C, vkCmdEndConditionalRenderingEXT, "vkCmdEndConditionalRenderingEXT");
type VkViewportWScalingNV is record
xcoeff : aliased float; -- vulkan_core.h:8588
ycoeff : aliased float; -- vulkan_core.h:8589
end record;
pragma Convention (C_Pass_By_Copy, VkViewportWScalingNV); -- vulkan_core.h:8587
type VkPipelineViewportWScalingStateCreateInfoNV is record
sType : aliased VkStructureType; -- vulkan_core.h:8593
pNext : System.Address; -- vulkan_core.h:8594
viewportWScalingEnable : aliased VkBool32; -- vulkan_core.h:8595
viewportCount : aliased stdint_h.uint32_t; -- vulkan_core.h:8596
pViewportWScalings : System.Address; -- vulkan_core.h:8597
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineViewportWScalingStateCreateInfoNV); -- vulkan_core.h:8592
type PFN_vkCmdSetViewportWScalingNV is access procedure
(arg1 : VkCommandBuffer;
arg2 : stdint_h.uint32_t;
arg3 : stdint_h.uint32_t;
arg4 : System.Address);
pragma Convention (C, PFN_vkCmdSetViewportWScalingNV); -- vulkan_core.h:8600
procedure vkCmdSetViewportWScalingNV
(commandBuffer : VkCommandBuffer;
firstViewport : stdint_h.uint32_t;
viewportCount : stdint_h.uint32_t;
pViewportWScalings : System.Address); -- vulkan_core.h:8603
pragma Import (C, vkCmdSetViewportWScalingNV, "vkCmdSetViewportWScalingNV");
type PFN_vkReleaseDisplayEXT is access function (arg1 : VkPhysicalDevice; arg2 : VkDisplayKHR) return VkResult;
pragma Convention (C, PFN_vkReleaseDisplayEXT); -- vulkan_core.h:8614
function vkReleaseDisplayEXT (physicalDevice : VkPhysicalDevice; display : VkDisplayKHR) return VkResult; -- vulkan_core.h:8617
pragma Import (C, vkReleaseDisplayEXT, "vkReleaseDisplayEXT");
subtype VkSurfaceCounterFlagBitsEXT is unsigned;
VK_SURFACE_COUNTER_VBLANK_BIT_EXT : constant VkSurfaceCounterFlagBitsEXT := 1;
VK_SURFACE_COUNTER_VBLANK_EXT : constant VkSurfaceCounterFlagBitsEXT := 1;
VK_SURFACE_COUNTER_FLAG_BITS_MAX_ENUM_EXT : constant VkSurfaceCounterFlagBitsEXT := 2147483647; -- vulkan_core.h:8627
subtype VkSurfaceCounterFlagsEXT is VkFlags; -- vulkan_core.h:8632
type VkSurfaceCapabilities2EXT is record
sType : aliased VkStructureType; -- vulkan_core.h:8634
pNext : System.Address; -- vulkan_core.h:8635
minImageCount : aliased stdint_h.uint32_t; -- vulkan_core.h:8636
maxImageCount : aliased stdint_h.uint32_t; -- vulkan_core.h:8637
currentExtent : aliased VkExtent2D; -- vulkan_core.h:8638
minImageExtent : aliased VkExtent2D; -- vulkan_core.h:8639
maxImageExtent : aliased VkExtent2D; -- vulkan_core.h:8640
maxImageArrayLayers : aliased stdint_h.uint32_t; -- vulkan_core.h:8641
supportedTransforms : aliased VkSurfaceTransformFlagsKHR; -- vulkan_core.h:8642
currentTransform : aliased VkSurfaceTransformFlagBitsKHR; -- vulkan_core.h:8643
supportedCompositeAlpha : aliased VkCompositeAlphaFlagsKHR; -- vulkan_core.h:8644
supportedUsageFlags : aliased VkImageUsageFlags; -- vulkan_core.h:8645
supportedSurfaceCounters : aliased VkSurfaceCounterFlagsEXT; -- vulkan_core.h:8646
end record;
pragma Convention (C_Pass_By_Copy, VkSurfaceCapabilities2EXT); -- vulkan_core.h:8633
type PFN_vkGetPhysicalDeviceSurfaceCapabilities2EXT is access function
(arg1 : VkPhysicalDevice;
arg2 : VkSurfaceKHR;
arg3 : access VkSurfaceCapabilities2EXT) return VkResult;
pragma Convention (C, PFN_vkGetPhysicalDeviceSurfaceCapabilities2EXT); -- vulkan_core.h:8649
function vkGetPhysicalDeviceSurfaceCapabilities2EXT
(physicalDevice : VkPhysicalDevice;
surface : VkSurfaceKHR;
pSurfaceCapabilities : access VkSurfaceCapabilities2EXT) return VkResult; -- vulkan_core.h:8652
pragma Import (C, vkGetPhysicalDeviceSurfaceCapabilities2EXT, "vkGetPhysicalDeviceSurfaceCapabilities2EXT");
subtype VkDisplayPowerStateEXT is unsigned;
VK_DISPLAY_POWER_STATE_OFF_EXT : constant VkDisplayPowerStateEXT := 0;
VK_DISPLAY_POWER_STATE_SUSPEND_EXT : constant VkDisplayPowerStateEXT := 1;
VK_DISPLAY_POWER_STATE_ON_EXT : constant VkDisplayPowerStateEXT := 2;
VK_DISPLAY_POWER_STATE_MAX_ENUM_EXT : constant VkDisplayPowerStateEXT := 2147483647; -- vulkan_core.h:8663
subtype VkDeviceEventTypeEXT is unsigned;
VK_DEVICE_EVENT_TYPE_DISPLAY_HOTPLUG_EXT : constant VkDeviceEventTypeEXT := 0;
VK_DEVICE_EVENT_TYPE_MAX_ENUM_EXT : constant VkDeviceEventTypeEXT := 2147483647; -- vulkan_core.h:8670
subtype VkDisplayEventTypeEXT is unsigned;
VK_DISPLAY_EVENT_TYPE_FIRST_PIXEL_OUT_EXT : constant VkDisplayEventTypeEXT := 0;
VK_DISPLAY_EVENT_TYPE_MAX_ENUM_EXT : constant VkDisplayEventTypeEXT := 2147483647; -- vulkan_core.h:8675
type VkDisplayPowerInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:8680
pNext : System.Address; -- vulkan_core.h:8681
powerState : aliased VkDisplayPowerStateEXT; -- vulkan_core.h:8682
end record;
pragma Convention (C_Pass_By_Copy, VkDisplayPowerInfoEXT); -- vulkan_core.h:8679
type VkDeviceEventInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:8686
pNext : System.Address; -- vulkan_core.h:8687
deviceEvent : aliased VkDeviceEventTypeEXT; -- vulkan_core.h:8688
end record;
pragma Convention (C_Pass_By_Copy, VkDeviceEventInfoEXT); -- vulkan_core.h:8685
type VkDisplayEventInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:8692
pNext : System.Address; -- vulkan_core.h:8693
displayEvent : aliased VkDisplayEventTypeEXT; -- vulkan_core.h:8694
end record;
pragma Convention (C_Pass_By_Copy, VkDisplayEventInfoEXT); -- vulkan_core.h:8691
type VkSwapchainCounterCreateInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:8698
pNext : System.Address; -- vulkan_core.h:8699
surfaceCounters : aliased VkSurfaceCounterFlagsEXT; -- vulkan_core.h:8700
end record;
pragma Convention (C_Pass_By_Copy, VkSwapchainCounterCreateInfoEXT); -- vulkan_core.h:8697
type PFN_vkDisplayPowerControlEXT is access function
(arg1 : VkDevice;
arg2 : VkDisplayKHR;
arg3 : System.Address) return VkResult;
pragma Convention (C, PFN_vkDisplayPowerControlEXT); -- vulkan_core.h:8703
type PFN_vkRegisterDeviceEventEXT is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkRegisterDeviceEventEXT); -- vulkan_core.h:8704
type PFN_vkRegisterDisplayEventEXT is access function
(arg1 : VkDevice;
arg2 : VkDisplayKHR;
arg3 : System.Address;
arg4 : System.Address;
arg5 : System.Address) return VkResult;
pragma Convention (C, PFN_vkRegisterDisplayEventEXT); -- vulkan_core.h:8705
type PFN_vkGetSwapchainCounterEXT is access function
(arg1 : VkDevice;
arg2 : VkSwapchainKHR;
arg3 : VkSurfaceCounterFlagBitsEXT;
arg4 : access stdint_h.uint64_t) return VkResult;
pragma Convention (C, PFN_vkGetSwapchainCounterEXT); -- vulkan_core.h:8706
function vkDisplayPowerControlEXT
(device : VkDevice;
display : VkDisplayKHR;
pDisplayPowerInfo : System.Address) return VkResult; -- vulkan_core.h:8709
pragma Import (C, vkDisplayPowerControlEXT, "vkDisplayPowerControlEXT");
function vkRegisterDeviceEventEXT
(device : VkDevice;
pDeviceEventInfo : System.Address;
pAllocator : System.Address;
pFence : System.Address) return VkResult; -- vulkan_core.h:8714
pragma Import (C, vkRegisterDeviceEventEXT, "vkRegisterDeviceEventEXT");
function vkRegisterDisplayEventEXT
(device : VkDevice;
display : VkDisplayKHR;
pDisplayEventInfo : System.Address;
pAllocator : System.Address;
pFence : System.Address) return VkResult; -- vulkan_core.h:8720
pragma Import (C, vkRegisterDisplayEventEXT, "vkRegisterDisplayEventEXT");
function vkGetSwapchainCounterEXT
(device : VkDevice;
swapchain : VkSwapchainKHR;
counter : VkSurfaceCounterFlagBitsEXT;
pCounterValue : access stdint_h.uint64_t) return VkResult; -- vulkan_core.h:8727
pragma Import (C, vkGetSwapchainCounterEXT, "vkGetSwapchainCounterEXT");
type VkRefreshCycleDurationGOOGLE is record
refreshDuration : aliased stdint_h.uint64_t; -- vulkan_core.h:8739
end record;
pragma Convention (C_Pass_By_Copy, VkRefreshCycleDurationGOOGLE); -- vulkan_core.h:8738
type VkPastPresentationTimingGOOGLE is record
presentID : aliased stdint_h.uint32_t; -- vulkan_core.h:8743
desiredPresentTime : aliased stdint_h.uint64_t; -- vulkan_core.h:8744
actualPresentTime : aliased stdint_h.uint64_t; -- vulkan_core.h:8745
earliestPresentTime : aliased stdint_h.uint64_t; -- vulkan_core.h:8746
presentMargin : aliased stdint_h.uint64_t; -- vulkan_core.h:8747
end record;
pragma Convention (C_Pass_By_Copy, VkPastPresentationTimingGOOGLE); -- vulkan_core.h:8742
type VkPresentTimeGOOGLE is record
presentID : aliased stdint_h.uint32_t; -- vulkan_core.h:8751
desiredPresentTime : aliased stdint_h.uint64_t; -- vulkan_core.h:8752
end record;
pragma Convention (C_Pass_By_Copy, VkPresentTimeGOOGLE); -- vulkan_core.h:8750
type VkPresentTimesInfoGOOGLE is record
sType : aliased VkStructureType; -- vulkan_core.h:8756
pNext : System.Address; -- vulkan_core.h:8757
swapchainCount : aliased stdint_h.uint32_t; -- vulkan_core.h:8758
pTimes : System.Address; -- vulkan_core.h:8759
end record;
pragma Convention (C_Pass_By_Copy, VkPresentTimesInfoGOOGLE); -- vulkan_core.h:8755
type PFN_vkGetRefreshCycleDurationGOOGLE is access function
(arg1 : VkDevice;
arg2 : VkSwapchainKHR;
arg3 : access VkRefreshCycleDurationGOOGLE) return VkResult;
pragma Convention (C, PFN_vkGetRefreshCycleDurationGOOGLE); -- vulkan_core.h:8762
type PFN_vkGetPastPresentationTimingGOOGLE is access function
(arg1 : VkDevice;
arg2 : VkSwapchainKHR;
arg3 : access stdint_h.uint32_t;
arg4 : access VkPastPresentationTimingGOOGLE) return VkResult;
pragma Convention (C, PFN_vkGetPastPresentationTimingGOOGLE); -- vulkan_core.h:8763
function vkGetRefreshCycleDurationGOOGLE
(device : VkDevice;
swapchain : VkSwapchainKHR;
pDisplayTimingProperties : access VkRefreshCycleDurationGOOGLE) return VkResult; -- vulkan_core.h:8766
pragma Import (C, vkGetRefreshCycleDurationGOOGLE, "vkGetRefreshCycleDurationGOOGLE");
function vkGetPastPresentationTimingGOOGLE
(device : VkDevice;
swapchain : VkSwapchainKHR;
pPresentationTimingCount : access stdint_h.uint32_t;
pPresentationTimings : access VkPastPresentationTimingGOOGLE) return VkResult; -- vulkan_core.h:8771
pragma Import (C, vkGetPastPresentationTimingGOOGLE, "vkGetPastPresentationTimingGOOGLE");
type VkPhysicalDeviceMultiviewPerViewAttributesPropertiesNVX is record
sType : aliased VkStructureType; -- vulkan_core.h:8798
pNext : System.Address; -- vulkan_core.h:8799
perViewPositionAllComponents : aliased VkBool32; -- vulkan_core.h:8800
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceMultiviewPerViewAttributesPropertiesNVX); -- vulkan_core.h:8797
subtype VkViewportCoordinateSwizzleNV is unsigned;
VK_VIEWPORT_COORDINATE_SWIZZLE_POSITIVE_X_NV : constant VkViewportCoordinateSwizzleNV := 0;
VK_VIEWPORT_COORDINATE_SWIZZLE_NEGATIVE_X_NV : constant VkViewportCoordinateSwizzleNV := 1;
VK_VIEWPORT_COORDINATE_SWIZZLE_POSITIVE_Y_NV : constant VkViewportCoordinateSwizzleNV := 2;
VK_VIEWPORT_COORDINATE_SWIZZLE_NEGATIVE_Y_NV : constant VkViewportCoordinateSwizzleNV := 3;
VK_VIEWPORT_COORDINATE_SWIZZLE_POSITIVE_Z_NV : constant VkViewportCoordinateSwizzleNV := 4;
VK_VIEWPORT_COORDINATE_SWIZZLE_NEGATIVE_Z_NV : constant VkViewportCoordinateSwizzleNV := 5;
VK_VIEWPORT_COORDINATE_SWIZZLE_POSITIVE_W_NV : constant VkViewportCoordinateSwizzleNV := 6;
VK_VIEWPORT_COORDINATE_SWIZZLE_NEGATIVE_W_NV : constant VkViewportCoordinateSwizzleNV := 7;
VK_VIEWPORT_COORDINATE_SWIZZLE_MAX_ENUM_NV : constant VkViewportCoordinateSwizzleNV := 2147483647; -- vulkan_core.h:8809
subtype VkPipelineViewportSwizzleStateCreateFlagsNV is VkFlags; -- vulkan_core.h:8820
type VkViewportSwizzleNV is record
x : aliased VkViewportCoordinateSwizzleNV; -- vulkan_core.h:8822
y : aliased VkViewportCoordinateSwizzleNV; -- vulkan_core.h:8823
z : aliased VkViewportCoordinateSwizzleNV; -- vulkan_core.h:8824
w : aliased VkViewportCoordinateSwizzleNV; -- vulkan_core.h:8825
end record;
pragma Convention (C_Pass_By_Copy, VkViewportSwizzleNV); -- vulkan_core.h:8821
type VkPipelineViewportSwizzleStateCreateInfoNV is record
sType : aliased VkStructureType; -- vulkan_core.h:8829
pNext : System.Address; -- vulkan_core.h:8830
flags : aliased VkPipelineViewportSwizzleStateCreateFlagsNV; -- vulkan_core.h:8831
viewportCount : aliased stdint_h.uint32_t; -- vulkan_core.h:8832
pViewportSwizzles : System.Address; -- vulkan_core.h:8833
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineViewportSwizzleStateCreateInfoNV); -- vulkan_core.h:8828
subtype VkDiscardRectangleModeEXT is unsigned;
VK_DISCARD_RECTANGLE_MODE_INCLUSIVE_EXT : constant VkDiscardRectangleModeEXT := 0;
VK_DISCARD_RECTANGLE_MODE_EXCLUSIVE_EXT : constant VkDiscardRectangleModeEXT := 1;
VK_DISCARD_RECTANGLE_MODE_MAX_ENUM_EXT : constant VkDiscardRectangleModeEXT := 2147483647; -- vulkan_core.h:8842
subtype VkPipelineDiscardRectangleStateCreateFlagsEXT is VkFlags; -- vulkan_core.h:8847
type VkPhysicalDeviceDiscardRectanglePropertiesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:8849
pNext : System.Address; -- vulkan_core.h:8850
maxDiscardRectangles : aliased stdint_h.uint32_t; -- vulkan_core.h:8851
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceDiscardRectanglePropertiesEXT); -- vulkan_core.h:8848
type VkPipelineDiscardRectangleStateCreateInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:8855
pNext : System.Address; -- vulkan_core.h:8856
flags : aliased VkPipelineDiscardRectangleStateCreateFlagsEXT; -- vulkan_core.h:8857
discardRectangleMode : aliased VkDiscardRectangleModeEXT; -- vulkan_core.h:8858
discardRectangleCount : aliased stdint_h.uint32_t; -- vulkan_core.h:8859
pDiscardRectangles : System.Address; -- vulkan_core.h:8860
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineDiscardRectangleStateCreateInfoEXT); -- vulkan_core.h:8854
type PFN_vkCmdSetDiscardRectangleEXT is access procedure
(arg1 : VkCommandBuffer;
arg2 : stdint_h.uint32_t;
arg3 : stdint_h.uint32_t;
arg4 : System.Address);
pragma Convention (C, PFN_vkCmdSetDiscardRectangleEXT); -- vulkan_core.h:8863
procedure vkCmdSetDiscardRectangleEXT
(commandBuffer : VkCommandBuffer;
firstDiscardRectangle : stdint_h.uint32_t;
discardRectangleCount : stdint_h.uint32_t;
pDiscardRectangles : System.Address); -- vulkan_core.h:8866
pragma Import (C, vkCmdSetDiscardRectangleEXT, "vkCmdSetDiscardRectangleEXT");
subtype VkConservativeRasterizationModeEXT is unsigned;
VK_CONSERVATIVE_RASTERIZATION_MODE_DISABLED_EXT : constant VkConservativeRasterizationModeEXT := 0;
VK_CONSERVATIVE_RASTERIZATION_MODE_OVERESTIMATE_EXT : constant VkConservativeRasterizationModeEXT := 1;
VK_CONSERVATIVE_RASTERIZATION_MODE_UNDERESTIMATE_EXT : constant VkConservativeRasterizationModeEXT := 2;
VK_CONSERVATIVE_RASTERIZATION_MODE_MAX_ENUM_EXT : constant VkConservativeRasterizationModeEXT := 2147483647; -- vulkan_core.h:8878
subtype VkPipelineRasterizationConservativeStateCreateFlagsEXT is VkFlags; -- vulkan_core.h:8884
type VkPhysicalDeviceConservativeRasterizationPropertiesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:8886
pNext : System.Address; -- vulkan_core.h:8887
primitiveOverestimationSize : aliased float; -- vulkan_core.h:8888
maxExtraPrimitiveOverestimationSize : aliased float; -- vulkan_core.h:8889
extraPrimitiveOverestimationSizeGranularity : aliased float; -- vulkan_core.h:8890
primitiveUnderestimation : aliased VkBool32; -- vulkan_core.h:8891
conservativePointAndLineRasterization : aliased VkBool32; -- vulkan_core.h:8892
degenerateTrianglesRasterized : aliased VkBool32; -- vulkan_core.h:8893
degenerateLinesRasterized : aliased VkBool32; -- vulkan_core.h:8894
fullyCoveredFragmentShaderInputVariable : aliased VkBool32; -- vulkan_core.h:8895
conservativeRasterizationPostDepthCoverage : aliased VkBool32; -- vulkan_core.h:8896
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceConservativeRasterizationPropertiesEXT); -- vulkan_core.h:8885
type VkPipelineRasterizationConservativeStateCreateInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:8900
pNext : System.Address; -- vulkan_core.h:8901
flags : aliased VkPipelineRasterizationConservativeStateCreateFlagsEXT; -- vulkan_core.h:8902
conservativeRasterizationMode : aliased VkConservativeRasterizationModeEXT; -- vulkan_core.h:8903
extraPrimitiveOverestimationSize : aliased float; -- vulkan_core.h:8904
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineRasterizationConservativeStateCreateInfoEXT); -- vulkan_core.h:8899
subtype VkPipelineRasterizationDepthClipStateCreateFlagsEXT is VkFlags; -- vulkan_core.h:8912
type VkPhysicalDeviceDepthClipEnableFeaturesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:8914
pNext : System.Address; -- vulkan_core.h:8915
depthClipEnable : aliased VkBool32; -- vulkan_core.h:8916
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceDepthClipEnableFeaturesEXT); -- vulkan_core.h:8913
type VkPipelineRasterizationDepthClipStateCreateInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:8920
pNext : System.Address; -- vulkan_core.h:8921
flags : aliased VkPipelineRasterizationDepthClipStateCreateFlagsEXT; -- vulkan_core.h:8922
depthClipEnable : aliased VkBool32; -- vulkan_core.h:8923
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineRasterizationDepthClipStateCreateInfoEXT); -- vulkan_core.h:8919
type VkXYColorEXT is record
x : aliased float; -- vulkan_core.h:8937
y : aliased float; -- vulkan_core.h:8938
end record;
pragma Convention (C_Pass_By_Copy, VkXYColorEXT); -- vulkan_core.h:8936
type VkHdrMetadataEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:8942
pNext : System.Address; -- vulkan_core.h:8943
displayPrimaryRed : aliased VkXYColorEXT; -- vulkan_core.h:8944
displayPrimaryGreen : aliased VkXYColorEXT; -- vulkan_core.h:8945
displayPrimaryBlue : aliased VkXYColorEXT; -- vulkan_core.h:8946
whitePoint : aliased VkXYColorEXT; -- vulkan_core.h:8947
maxLuminance : aliased float; -- vulkan_core.h:8948
minLuminance : aliased float; -- vulkan_core.h:8949
maxContentLightLevel : aliased float; -- vulkan_core.h:8950
maxFrameAverageLightLevel : aliased float; -- vulkan_core.h:8951
end record;
pragma Convention (C_Pass_By_Copy, VkHdrMetadataEXT); -- vulkan_core.h:8941
type PFN_vkSetHdrMetadataEXT is access procedure
(arg1 : VkDevice;
arg2 : stdint_h.uint32_t;
arg3 : System.Address;
arg4 : System.Address);
pragma Convention (C, PFN_vkSetHdrMetadataEXT); -- vulkan_core.h:8954
procedure vkSetHdrMetadataEXT
(device : VkDevice;
swapchainCount : stdint_h.uint32_t;
pSwapchains : System.Address;
pMetadata : System.Address); -- vulkan_core.h:8957
pragma Import (C, vkSetHdrMetadataEXT, "vkSetHdrMetadataEXT");
type VkDebugUtilsMessengerEXT is new System.Address; -- vulkan_core.h:8977
-- skipped empty struct VkDebugUtilsMessengerEXT_T
subtype VkDebugUtilsMessengerCallbackDataFlagsEXT is VkFlags; -- vulkan_core.h:8980
subtype VkDebugUtilsMessageSeverityFlagBitsEXT is unsigned;
VK_DEBUG_UTILS_MESSAGE_SEVERITY_VERBOSE_BIT_EXT : constant VkDebugUtilsMessageSeverityFlagBitsEXT := 1;
VK_DEBUG_UTILS_MESSAGE_SEVERITY_INFO_BIT_EXT : constant VkDebugUtilsMessageSeverityFlagBitsEXT := 16;
VK_DEBUG_UTILS_MESSAGE_SEVERITY_WARNING_BIT_EXT : constant VkDebugUtilsMessageSeverityFlagBitsEXT := 256;
VK_DEBUG_UTILS_MESSAGE_SEVERITY_ERROR_BIT_EXT : constant VkDebugUtilsMessageSeverityFlagBitsEXT := 4096;
VK_DEBUG_UTILS_MESSAGE_SEVERITY_FLAG_BITS_MAX_ENUM_EXT : constant VkDebugUtilsMessageSeverityFlagBitsEXT := 2147483647; -- vulkan_core.h:8982
subtype VkDebugUtilsMessageTypeFlagBitsEXT is unsigned;
VK_DEBUG_UTILS_MESSAGE_TYPE_GENERAL_BIT_EXT : constant VkDebugUtilsMessageTypeFlagBitsEXT := 1;
VK_DEBUG_UTILS_MESSAGE_TYPE_VALIDATION_BIT_EXT : constant VkDebugUtilsMessageTypeFlagBitsEXT := 2;
VK_DEBUG_UTILS_MESSAGE_TYPE_PERFORMANCE_BIT_EXT : constant VkDebugUtilsMessageTypeFlagBitsEXT := 4;
VK_DEBUG_UTILS_MESSAGE_TYPE_FLAG_BITS_MAX_ENUM_EXT : constant VkDebugUtilsMessageTypeFlagBitsEXT := 2147483647; -- vulkan_core.h:8990
subtype VkDebugUtilsMessageTypeFlagsEXT is VkFlags; -- vulkan_core.h:8996
subtype VkDebugUtilsMessageSeverityFlagsEXT is VkFlags; -- vulkan_core.h:8997
subtype VkDebugUtilsMessengerCreateFlagsEXT is VkFlags; -- vulkan_core.h:8998
type VkDebugUtilsLabelEXT_color_array is array (0 .. 3) of aliased float;
type VkDebugUtilsLabelEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:9000
pNext : System.Address; -- vulkan_core.h:9001
pLabelName : Interfaces.C.Strings.chars_ptr; -- vulkan_core.h:9002
color : aliased VkDebugUtilsLabelEXT_color_array; -- vulkan_core.h:9003
end record;
pragma Convention (C_Pass_By_Copy, VkDebugUtilsLabelEXT); -- vulkan_core.h:8999
type VkDebugUtilsObjectNameInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:9007
pNext : System.Address; -- vulkan_core.h:9008
objectType : aliased VkObjectType; -- vulkan_core.h:9009
objectHandle : aliased stdint_h.uint64_t; -- vulkan_core.h:9010
pObjectName : Interfaces.C.Strings.chars_ptr; -- vulkan_core.h:9011
end record;
pragma Convention (C_Pass_By_Copy, VkDebugUtilsObjectNameInfoEXT); -- vulkan_core.h:9006
type VkDebugUtilsMessengerCallbackDataEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:9015
pNext : System.Address; -- vulkan_core.h:9016
flags : aliased VkDebugUtilsMessengerCallbackDataFlagsEXT; -- vulkan_core.h:9017
pMessageIdName : Interfaces.C.Strings.chars_ptr; -- vulkan_core.h:9018
messageIdNumber : aliased stdint_h.int32_t; -- vulkan_core.h:9019
pMessage : Interfaces.C.Strings.chars_ptr; -- vulkan_core.h:9020
queueLabelCount : aliased stdint_h.uint32_t; -- vulkan_core.h:9021
pQueueLabels : System.Address; -- vulkan_core.h:9022
cmdBufLabelCount : aliased stdint_h.uint32_t; -- vulkan_core.h:9023
pCmdBufLabels : System.Address; -- vulkan_core.h:9024
objectCount : aliased stdint_h.uint32_t; -- vulkan_core.h:9025
pObjects : System.Address; -- vulkan_core.h:9026
end record;
pragma Convention (C_Pass_By_Copy, VkDebugUtilsMessengerCallbackDataEXT); -- vulkan_core.h:9014
type PFN_vkDebugUtilsMessengerCallbackEXT is access function
(arg1 : VkDebugUtilsMessageSeverityFlagBitsEXT;
arg2 : VkDebugUtilsMessageTypeFlagsEXT;
arg3 : System.Address;
arg4 : System.Address) return VkBool32;
pragma Convention (C, PFN_vkDebugUtilsMessengerCallbackEXT); -- vulkan_core.h:9029
type VkDebugUtilsMessengerCreateInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:9036
pNext : System.Address; -- vulkan_core.h:9037
flags : aliased VkDebugUtilsMessengerCreateFlagsEXT; -- vulkan_core.h:9038
messageSeverity : aliased VkDebugUtilsMessageSeverityFlagsEXT; -- vulkan_core.h:9039
messageType : aliased VkDebugUtilsMessageTypeFlagsEXT; -- vulkan_core.h:9040
pfnUserCallback : PFN_vkDebugUtilsMessengerCallbackEXT; -- vulkan_core.h:9041
pUserData : System.Address; -- vulkan_core.h:9042
end record;
pragma Convention (C_Pass_By_Copy, VkDebugUtilsMessengerCreateInfoEXT); -- vulkan_core.h:9035
type VkDebugUtilsObjectTagInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:9046
pNext : System.Address; -- vulkan_core.h:9047
objectType : aliased VkObjectType; -- vulkan_core.h:9048
objectHandle : aliased stdint_h.uint64_t; -- vulkan_core.h:9049
tagName : aliased stdint_h.uint64_t; -- vulkan_core.h:9050
tagSize : aliased crtdefs_h.size_t; -- vulkan_core.h:9051
pTag : System.Address; -- vulkan_core.h:9052
end record;
pragma Convention (C_Pass_By_Copy, VkDebugUtilsObjectTagInfoEXT); -- vulkan_core.h:9045
type PFN_vkSetDebugUtilsObjectNameEXT is access function (arg1 : VkDevice; arg2 : System.Address) return VkResult;
pragma Convention (C, PFN_vkSetDebugUtilsObjectNameEXT); -- vulkan_core.h:9055
type PFN_vkSetDebugUtilsObjectTagEXT is access function (arg1 : VkDevice; arg2 : System.Address) return VkResult;
pragma Convention (C, PFN_vkSetDebugUtilsObjectTagEXT); -- vulkan_core.h:9056
type PFN_vkQueueBeginDebugUtilsLabelEXT is access procedure (arg1 : VkQueue; arg2 : System.Address);
pragma Convention (C, PFN_vkQueueBeginDebugUtilsLabelEXT); -- vulkan_core.h:9057
type PFN_vkQueueEndDebugUtilsLabelEXT is access procedure (arg1 : VkQueue);
pragma Convention (C, PFN_vkQueueEndDebugUtilsLabelEXT); -- vulkan_core.h:9058
type PFN_vkQueueInsertDebugUtilsLabelEXT is access procedure (arg1 : VkQueue; arg2 : System.Address);
pragma Convention (C, PFN_vkQueueInsertDebugUtilsLabelEXT); -- vulkan_core.h:9059
type PFN_vkCmdBeginDebugUtilsLabelEXT is access procedure (arg1 : VkCommandBuffer; arg2 : System.Address);
pragma Convention (C, PFN_vkCmdBeginDebugUtilsLabelEXT); -- vulkan_core.h:9060
type PFN_vkCmdEndDebugUtilsLabelEXT is access procedure (arg1 : VkCommandBuffer);
pragma Convention (C, PFN_vkCmdEndDebugUtilsLabelEXT); -- vulkan_core.h:9061
type PFN_vkCmdInsertDebugUtilsLabelEXT is access procedure (arg1 : VkCommandBuffer; arg2 : System.Address);
pragma Convention (C, PFN_vkCmdInsertDebugUtilsLabelEXT); -- vulkan_core.h:9062
type PFN_vkCreateDebugUtilsMessengerEXT is access function
(arg1 : VkInstance;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateDebugUtilsMessengerEXT); -- vulkan_core.h:9063
type PFN_vkDestroyDebugUtilsMessengerEXT is access procedure
(arg1 : VkInstance;
arg2 : VkDebugUtilsMessengerEXT;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroyDebugUtilsMessengerEXT); -- vulkan_core.h:9064
type PFN_vkSubmitDebugUtilsMessageEXT is access procedure
(arg1 : VkInstance;
arg2 : VkDebugUtilsMessageSeverityFlagBitsEXT;
arg3 : VkDebugUtilsMessageTypeFlagsEXT;
arg4 : System.Address);
pragma Convention (C, PFN_vkSubmitDebugUtilsMessageEXT); -- vulkan_core.h:9065
function vkSetDebugUtilsObjectNameEXT (device : VkDevice; pNameInfo : System.Address) return VkResult; -- vulkan_core.h:9068
pragma Import (C, vkSetDebugUtilsObjectNameEXT, "vkSetDebugUtilsObjectNameEXT");
function vkSetDebugUtilsObjectTagEXT (device : VkDevice; pTagInfo : System.Address) return VkResult; -- vulkan_core.h:9072
pragma Import (C, vkSetDebugUtilsObjectTagEXT, "vkSetDebugUtilsObjectTagEXT");
procedure vkQueueBeginDebugUtilsLabelEXT (queue : VkQueue; pLabelInfo : System.Address); -- vulkan_core.h:9076
pragma Import (C, vkQueueBeginDebugUtilsLabelEXT, "vkQueueBeginDebugUtilsLabelEXT");
procedure vkQueueEndDebugUtilsLabelEXT (queue : VkQueue); -- vulkan_core.h:9080
pragma Import (C, vkQueueEndDebugUtilsLabelEXT, "vkQueueEndDebugUtilsLabelEXT");
procedure vkQueueInsertDebugUtilsLabelEXT (queue : VkQueue; pLabelInfo : System.Address); -- vulkan_core.h:9083
pragma Import (C, vkQueueInsertDebugUtilsLabelEXT, "vkQueueInsertDebugUtilsLabelEXT");
procedure vkCmdBeginDebugUtilsLabelEXT (commandBuffer : VkCommandBuffer; pLabelInfo : System.Address); -- vulkan_core.h:9087
pragma Import (C, vkCmdBeginDebugUtilsLabelEXT, "vkCmdBeginDebugUtilsLabelEXT");
procedure vkCmdEndDebugUtilsLabelEXT (commandBuffer : VkCommandBuffer); -- vulkan_core.h:9091
pragma Import (C, vkCmdEndDebugUtilsLabelEXT, "vkCmdEndDebugUtilsLabelEXT");
procedure vkCmdInsertDebugUtilsLabelEXT (commandBuffer : VkCommandBuffer; pLabelInfo : System.Address); -- vulkan_core.h:9094
pragma Import (C, vkCmdInsertDebugUtilsLabelEXT, "vkCmdInsertDebugUtilsLabelEXT");
function vkCreateDebugUtilsMessengerEXT
(instance : VkInstance;
pCreateInfo : System.Address;
pAllocator : System.Address;
pMessenger : System.Address) return VkResult; -- vulkan_core.h:9098
pragma Import (C, vkCreateDebugUtilsMessengerEXT, "vkCreateDebugUtilsMessengerEXT");
procedure vkDestroyDebugUtilsMessengerEXT
(instance : VkInstance;
messenger : VkDebugUtilsMessengerEXT;
pAllocator : System.Address); -- vulkan_core.h:9104
pragma Import (C, vkDestroyDebugUtilsMessengerEXT, "vkDestroyDebugUtilsMessengerEXT");
procedure vkSubmitDebugUtilsMessageEXT
(instance : VkInstance;
messageSeverity : VkDebugUtilsMessageSeverityFlagBitsEXT;
messageTypes : VkDebugUtilsMessageTypeFlagsEXT;
pCallbackData : System.Address); -- vulkan_core.h:9109
pragma Import (C, vkSubmitDebugUtilsMessageEXT, "vkSubmitDebugUtilsMessageEXT");
subtype VkSamplerReductionModeEXT is VkSamplerReductionMode;
subtype VkSamplerReductionModeCreateInfoEXT is VkSamplerReductionModeCreateInfo;
subtype VkPhysicalDeviceSamplerFilterMinmaxPropertiesEXT is VkPhysicalDeviceSamplerFilterMinmaxProperties;
type VkPhysicalDeviceInlineUniformBlockFeaturesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:9147
pNext : System.Address; -- vulkan_core.h:9148
inlineUniformBlock : aliased VkBool32; -- vulkan_core.h:9149
descriptorBindingInlineUniformBlockUpdateAfterBind : aliased VkBool32; -- vulkan_core.h:9150
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceInlineUniformBlockFeaturesEXT); -- vulkan_core.h:9146
type VkPhysicalDeviceInlineUniformBlockPropertiesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:9154
pNext : System.Address; -- vulkan_core.h:9155
maxInlineUniformBlockSize : aliased stdint_h.uint32_t; -- vulkan_core.h:9156
maxPerStageDescriptorInlineUniformBlocks : aliased stdint_h.uint32_t; -- vulkan_core.h:9157
maxPerStageDescriptorUpdateAfterBindInlineUniformBlocks : aliased stdint_h.uint32_t; -- vulkan_core.h:9158
maxDescriptorSetInlineUniformBlocks : aliased stdint_h.uint32_t; -- vulkan_core.h:9159
maxDescriptorSetUpdateAfterBindInlineUniformBlocks : aliased stdint_h.uint32_t; -- vulkan_core.h:9160
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceInlineUniformBlockPropertiesEXT); -- vulkan_core.h:9153
type VkWriteDescriptorSetInlineUniformBlockEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:9164
pNext : System.Address; -- vulkan_core.h:9165
dataSize : aliased stdint_h.uint32_t; -- vulkan_core.h:9166
pData : System.Address; -- vulkan_core.h:9167
end record;
pragma Convention (C_Pass_By_Copy, VkWriteDescriptorSetInlineUniformBlockEXT); -- vulkan_core.h:9163
type VkDescriptorPoolInlineUniformBlockCreateInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:9171
pNext : System.Address; -- vulkan_core.h:9172
maxInlineUniformBlockBindings : aliased stdint_h.uint32_t; -- vulkan_core.h:9173
end record;
pragma Convention (C_Pass_By_Copy, VkDescriptorPoolInlineUniformBlockCreateInfoEXT); -- vulkan_core.h:9170
type VkSampleLocationEXT is record
x : aliased float; -- vulkan_core.h:9187
y : aliased float; -- vulkan_core.h:9188
end record;
pragma Convention (C_Pass_By_Copy, VkSampleLocationEXT); -- vulkan_core.h:9186
type VkSampleLocationsInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:9192
pNext : System.Address; -- vulkan_core.h:9193
sampleLocationsPerPixel : aliased VkSampleCountFlagBits; -- vulkan_core.h:9194
sampleLocationGridSize : aliased VkExtent2D; -- vulkan_core.h:9195
sampleLocationsCount : aliased stdint_h.uint32_t; -- vulkan_core.h:9196
pSampleLocations : System.Address; -- vulkan_core.h:9197
end record;
pragma Convention (C_Pass_By_Copy, VkSampleLocationsInfoEXT); -- vulkan_core.h:9191
type VkAttachmentSampleLocationsEXT is record
attachmentIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:9201
sampleLocationsInfo : aliased VkSampleLocationsInfoEXT; -- vulkan_core.h:9202
end record;
pragma Convention (C_Pass_By_Copy, VkAttachmentSampleLocationsEXT); -- vulkan_core.h:9200
type VkSubpassSampleLocationsEXT is record
subpassIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:9206
sampleLocationsInfo : aliased VkSampleLocationsInfoEXT; -- vulkan_core.h:9207
end record;
pragma Convention (C_Pass_By_Copy, VkSubpassSampleLocationsEXT); -- vulkan_core.h:9205
type VkRenderPassSampleLocationsBeginInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:9211
pNext : System.Address; -- vulkan_core.h:9212
attachmentInitialSampleLocationsCount : aliased stdint_h.uint32_t; -- vulkan_core.h:9213
pAttachmentInitialSampleLocations : System.Address; -- vulkan_core.h:9214
postSubpassSampleLocationsCount : aliased stdint_h.uint32_t; -- vulkan_core.h:9215
pPostSubpassSampleLocations : System.Address; -- vulkan_core.h:9216
end record;
pragma Convention (C_Pass_By_Copy, VkRenderPassSampleLocationsBeginInfoEXT); -- vulkan_core.h:9210
type VkPipelineSampleLocationsStateCreateInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:9220
pNext : System.Address; -- vulkan_core.h:9221
sampleLocationsEnable : aliased VkBool32; -- vulkan_core.h:9222
sampleLocationsInfo : aliased VkSampleLocationsInfoEXT; -- vulkan_core.h:9223
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineSampleLocationsStateCreateInfoEXT); -- vulkan_core.h:9219
type VkPhysicalDeviceSampleLocationsPropertiesEXT_sampleLocationCoordinateRange_array is array (0 .. 1) of aliased float;
type VkPhysicalDeviceSampleLocationsPropertiesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:9227
pNext : System.Address; -- vulkan_core.h:9228
sampleLocationSampleCounts : aliased VkSampleCountFlags; -- vulkan_core.h:9229
maxSampleLocationGridSize : aliased VkExtent2D; -- vulkan_core.h:9230
sampleLocationCoordinateRange : aliased VkPhysicalDeviceSampleLocationsPropertiesEXT_sampleLocationCoordinateRange_array; -- vulkan_core.h:9231
sampleLocationSubPixelBits : aliased stdint_h.uint32_t; -- vulkan_core.h:9232
variableSampleLocations : aliased VkBool32; -- vulkan_core.h:9233
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceSampleLocationsPropertiesEXT); -- vulkan_core.h:9226
type VkMultisamplePropertiesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:9237
pNext : System.Address; -- vulkan_core.h:9238
maxSampleLocationGridSize : aliased VkExtent2D; -- vulkan_core.h:9239
end record;
pragma Convention (C_Pass_By_Copy, VkMultisamplePropertiesEXT); -- vulkan_core.h:9236
type PFN_vkCmdSetSampleLocationsEXT is access procedure (arg1 : VkCommandBuffer; arg2 : System.Address);
pragma Convention (C, PFN_vkCmdSetSampleLocationsEXT); -- vulkan_core.h:9242
type PFN_vkGetPhysicalDeviceMultisamplePropertiesEXT is access procedure
(arg1 : VkPhysicalDevice;
arg2 : VkSampleCountFlagBits;
arg3 : access VkMultisamplePropertiesEXT);
pragma Convention (C, PFN_vkGetPhysicalDeviceMultisamplePropertiesEXT); -- vulkan_core.h:9243
procedure vkCmdSetSampleLocationsEXT (commandBuffer : VkCommandBuffer; pSampleLocationsInfo : System.Address); -- vulkan_core.h:9246
pragma Import (C, vkCmdSetSampleLocationsEXT, "vkCmdSetSampleLocationsEXT");
procedure vkGetPhysicalDeviceMultisamplePropertiesEXT
(physicalDevice : VkPhysicalDevice;
samples : VkSampleCountFlagBits;
pMultisampleProperties : access VkMultisamplePropertiesEXT); -- vulkan_core.h:9250
pragma Import (C, vkGetPhysicalDeviceMultisamplePropertiesEXT, "vkGetPhysicalDeviceMultisamplePropertiesEXT");
subtype VkBlendOverlapEXT is unsigned;
VK_BLEND_OVERLAP_UNCORRELATED_EXT : constant VkBlendOverlapEXT := 0;
VK_BLEND_OVERLAP_DISJOINT_EXT : constant VkBlendOverlapEXT := 1;
VK_BLEND_OVERLAP_CONJOINT_EXT : constant VkBlendOverlapEXT := 2;
VK_BLEND_OVERLAP_MAX_ENUM_EXT : constant VkBlendOverlapEXT := 2147483647; -- vulkan_core.h:9261
type VkPhysicalDeviceBlendOperationAdvancedFeaturesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:9268
pNext : System.Address; -- vulkan_core.h:9269
advancedBlendCoherentOperations : aliased VkBool32; -- vulkan_core.h:9270
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceBlendOperationAdvancedFeaturesEXT); -- vulkan_core.h:9267
type VkPhysicalDeviceBlendOperationAdvancedPropertiesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:9274
pNext : System.Address; -- vulkan_core.h:9275
advancedBlendMaxColorAttachments : aliased stdint_h.uint32_t; -- vulkan_core.h:9276
advancedBlendIndependentBlend : aliased VkBool32; -- vulkan_core.h:9277
advancedBlendNonPremultipliedSrcColor : aliased VkBool32; -- vulkan_core.h:9278
advancedBlendNonPremultipliedDstColor : aliased VkBool32; -- vulkan_core.h:9279
advancedBlendCorrelatedOverlap : aliased VkBool32; -- vulkan_core.h:9280
advancedBlendAllOperations : aliased VkBool32; -- vulkan_core.h:9281
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceBlendOperationAdvancedPropertiesEXT); -- vulkan_core.h:9273
type VkPipelineColorBlendAdvancedStateCreateInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:9285
pNext : System.Address; -- vulkan_core.h:9286
srcPremultiplied : aliased VkBool32; -- vulkan_core.h:9287
dstPremultiplied : aliased VkBool32; -- vulkan_core.h:9288
blendOverlap : aliased VkBlendOverlapEXT; -- vulkan_core.h:9289
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineColorBlendAdvancedStateCreateInfoEXT); -- vulkan_core.h:9284
subtype VkPipelineCoverageToColorStateCreateFlagsNV is VkFlags; -- vulkan_core.h:9297
type VkPipelineCoverageToColorStateCreateInfoNV is record
sType : aliased VkStructureType; -- vulkan_core.h:9299
pNext : System.Address; -- vulkan_core.h:9300
flags : aliased VkPipelineCoverageToColorStateCreateFlagsNV; -- vulkan_core.h:9301
coverageToColorEnable : aliased VkBool32; -- vulkan_core.h:9302
coverageToColorLocation : aliased stdint_h.uint32_t; -- vulkan_core.h:9303
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineCoverageToColorStateCreateInfoNV); -- vulkan_core.h:9298
subtype VkCoverageModulationModeNV is unsigned;
VK_COVERAGE_MODULATION_MODE_NONE_NV : constant VkCoverageModulationModeNV := 0;
VK_COVERAGE_MODULATION_MODE_RGB_NV : constant VkCoverageModulationModeNV := 1;
VK_COVERAGE_MODULATION_MODE_ALPHA_NV : constant VkCoverageModulationModeNV := 2;
VK_COVERAGE_MODULATION_MODE_RGBA_NV : constant VkCoverageModulationModeNV := 3;
VK_COVERAGE_MODULATION_MODE_MAX_ENUM_NV : constant VkCoverageModulationModeNV := 2147483647; -- vulkan_core.h:9312
subtype VkPipelineCoverageModulationStateCreateFlagsNV is VkFlags; -- vulkan_core.h:9319
type VkPipelineCoverageModulationStateCreateInfoNV is record
sType : aliased VkStructureType; -- vulkan_core.h:9321
pNext : System.Address; -- vulkan_core.h:9322
flags : aliased VkPipelineCoverageModulationStateCreateFlagsNV; -- vulkan_core.h:9323
coverageModulationMode : aliased VkCoverageModulationModeNV; -- vulkan_core.h:9324
coverageModulationTableEnable : aliased VkBool32; -- vulkan_core.h:9325
coverageModulationTableCount : aliased stdint_h.uint32_t; -- vulkan_core.h:9326
pCoverageModulationTable : access float; -- vulkan_core.h:9327
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineCoverageModulationStateCreateInfoNV); -- vulkan_core.h:9320
type VkPhysicalDeviceShaderSMBuiltinsPropertiesNV is record
sType : aliased VkStructureType; -- vulkan_core.h:9341
pNext : System.Address; -- vulkan_core.h:9342
shaderSMCount : aliased stdint_h.uint32_t; -- vulkan_core.h:9343
shaderWarpsPerSM : aliased stdint_h.uint32_t; -- vulkan_core.h:9344
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceShaderSMBuiltinsPropertiesNV); -- vulkan_core.h:9340
type VkPhysicalDeviceShaderSMBuiltinsFeaturesNV is record
sType : aliased VkStructureType; -- vulkan_core.h:9348
pNext : System.Address; -- vulkan_core.h:9349
shaderSMBuiltins : aliased VkBool32; -- vulkan_core.h:9350
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceShaderSMBuiltinsFeaturesNV); -- vulkan_core.h:9347
type VkDrmFormatModifierPropertiesEXT is record
drmFormatModifier : aliased stdint_h.uint64_t; -- vulkan_core.h:9364
drmFormatModifierPlaneCount : aliased stdint_h.uint32_t; -- vulkan_core.h:9365
drmFormatModifierTilingFeatures : aliased VkFormatFeatureFlags; -- vulkan_core.h:9366
end record;
pragma Convention (C_Pass_By_Copy, VkDrmFormatModifierPropertiesEXT); -- vulkan_core.h:9363
type VkDrmFormatModifierPropertiesListEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:9370
pNext : System.Address; -- vulkan_core.h:9371
drmFormatModifierCount : aliased stdint_h.uint32_t; -- vulkan_core.h:9372
pDrmFormatModifierProperties : access VkDrmFormatModifierPropertiesEXT; -- vulkan_core.h:9373
end record;
pragma Convention (C_Pass_By_Copy, VkDrmFormatModifierPropertiesListEXT); -- vulkan_core.h:9369
type VkPhysicalDeviceImageDrmFormatModifierInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:9377
pNext : System.Address; -- vulkan_core.h:9378
drmFormatModifier : aliased stdint_h.uint64_t; -- vulkan_core.h:9379
sharingMode : aliased VkSharingMode; -- vulkan_core.h:9380
queueFamilyIndexCount : aliased stdint_h.uint32_t; -- vulkan_core.h:9381
pQueueFamilyIndices : access stdint_h.uint32_t; -- vulkan_core.h:9382
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceImageDrmFormatModifierInfoEXT); -- vulkan_core.h:9376
type VkImageDrmFormatModifierListCreateInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:9386
pNext : System.Address; -- vulkan_core.h:9387
drmFormatModifierCount : aliased stdint_h.uint32_t; -- vulkan_core.h:9388
pDrmFormatModifiers : access stdint_h.uint64_t; -- vulkan_core.h:9389
end record;
pragma Convention (C_Pass_By_Copy, VkImageDrmFormatModifierListCreateInfoEXT); -- vulkan_core.h:9385
type VkImageDrmFormatModifierExplicitCreateInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:9393
pNext : System.Address; -- vulkan_core.h:9394
drmFormatModifier : aliased stdint_h.uint64_t; -- vulkan_core.h:9395
drmFormatModifierPlaneCount : aliased stdint_h.uint32_t; -- vulkan_core.h:9396
pPlaneLayouts : System.Address; -- vulkan_core.h:9397
end record;
pragma Convention (C_Pass_By_Copy, VkImageDrmFormatModifierExplicitCreateInfoEXT); -- vulkan_core.h:9392
type VkImageDrmFormatModifierPropertiesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:9401
pNext : System.Address; -- vulkan_core.h:9402
drmFormatModifier : aliased stdint_h.uint64_t; -- vulkan_core.h:9403
end record;
pragma Convention (C_Pass_By_Copy, VkImageDrmFormatModifierPropertiesEXT); -- vulkan_core.h:9400
type PFN_vkGetImageDrmFormatModifierPropertiesEXT is access function
(arg1 : VkDevice;
arg2 : VkImage;
arg3 : access VkImageDrmFormatModifierPropertiesEXT) return VkResult;
pragma Convention (C, PFN_vkGetImageDrmFormatModifierPropertiesEXT); -- vulkan_core.h:9406
function vkGetImageDrmFormatModifierPropertiesEXT
(device : VkDevice;
image : VkImage;
pProperties : access VkImageDrmFormatModifierPropertiesEXT) return VkResult; -- vulkan_core.h:9409
pragma Import (C, vkGetImageDrmFormatModifierPropertiesEXT, "vkGetImageDrmFormatModifierPropertiesEXT");
type VkValidationCacheEXT is new System.Address; -- vulkan_core.h:9417
-- skipped empty struct VkValidationCacheEXT_T
subtype VkValidationCacheHeaderVersionEXT is unsigned;
VK_VALIDATION_CACHE_HEADER_VERSION_ONE_EXT : constant VkValidationCacheHeaderVersionEXT := 1;
VK_VALIDATION_CACHE_HEADER_VERSION_MAX_ENUM_EXT : constant VkValidationCacheHeaderVersionEXT := 2147483647; -- vulkan_core.h:9421
subtype VkValidationCacheCreateFlagsEXT is VkFlags; -- vulkan_core.h:9425
type VkValidationCacheCreateInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:9427
pNext : System.Address; -- vulkan_core.h:9428
flags : aliased VkValidationCacheCreateFlagsEXT; -- vulkan_core.h:9429
initialDataSize : aliased crtdefs_h.size_t; -- vulkan_core.h:9430
pInitialData : System.Address; -- vulkan_core.h:9431
end record;
pragma Convention (C_Pass_By_Copy, VkValidationCacheCreateInfoEXT); -- vulkan_core.h:9426
type VkShaderModuleValidationCacheCreateInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:9435
pNext : System.Address; -- vulkan_core.h:9436
validationCache : VkValidationCacheEXT; -- vulkan_core.h:9437
end record;
pragma Convention (C_Pass_By_Copy, VkShaderModuleValidationCacheCreateInfoEXT); -- vulkan_core.h:9434
type PFN_vkCreateValidationCacheEXT is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateValidationCacheEXT); -- vulkan_core.h:9440
type PFN_vkDestroyValidationCacheEXT is access procedure
(arg1 : VkDevice;
arg2 : VkValidationCacheEXT;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroyValidationCacheEXT); -- vulkan_core.h:9441
type PFN_vkMergeValidationCachesEXT is access function
(arg1 : VkDevice;
arg2 : VkValidationCacheEXT;
arg3 : stdint_h.uint32_t;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkMergeValidationCachesEXT); -- vulkan_core.h:9442
type PFN_vkGetValidationCacheDataEXT is access function
(arg1 : VkDevice;
arg2 : VkValidationCacheEXT;
arg3 : access crtdefs_h.size_t;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkGetValidationCacheDataEXT); -- vulkan_core.h:9443
function vkCreateValidationCacheEXT
(device : VkDevice;
pCreateInfo : System.Address;
pAllocator : System.Address;
pValidationCache : System.Address) return VkResult; -- vulkan_core.h:9446
pragma Import (C, vkCreateValidationCacheEXT, "vkCreateValidationCacheEXT");
procedure vkDestroyValidationCacheEXT
(device : VkDevice;
validationCache : VkValidationCacheEXT;
pAllocator : System.Address); -- vulkan_core.h:9452
pragma Import (C, vkDestroyValidationCacheEXT, "vkDestroyValidationCacheEXT");
function vkMergeValidationCachesEXT
(device : VkDevice;
dstCache : VkValidationCacheEXT;
srcCacheCount : stdint_h.uint32_t;
pSrcCaches : System.Address) return VkResult; -- vulkan_core.h:9457
pragma Import (C, vkMergeValidationCachesEXT, "vkMergeValidationCachesEXT");
function vkGetValidationCacheDataEXT
(device : VkDevice;
validationCache : VkValidationCacheEXT;
pDataSize : access crtdefs_h.size_t;
pData : System.Address) return VkResult; -- vulkan_core.h:9463
pragma Import (C, vkGetValidationCacheDataEXT, "vkGetValidationCacheDataEXT");
subtype VkDescriptorBindingFlagBitsEXT is VkDescriptorBindingFlagBits;
subtype VkDescriptorBindingFlagsEXT is VkDescriptorBindingFlags; -- vulkan_core.h:9476
subtype VkDescriptorSetLayoutBindingFlagsCreateInfoEXT is VkDescriptorSetLayoutBindingFlagsCreateInfo;
subtype VkPhysicalDeviceDescriptorIndexingFeaturesEXT is VkPhysicalDeviceDescriptorIndexingFeatures;
subtype VkPhysicalDeviceDescriptorIndexingPropertiesEXT is VkPhysicalDeviceDescriptorIndexingProperties;
subtype VkDescriptorSetVariableDescriptorCountAllocateInfoEXT is VkDescriptorSetVariableDescriptorCountAllocateInfo;
subtype VkDescriptorSetVariableDescriptorCountLayoutSupportEXT is VkDescriptorSetVariableDescriptorCountLayoutSupport;
subtype VkShadingRatePaletteEntryNV is unsigned;
VK_SHADING_RATE_PALETTE_ENTRY_NO_INVOCATIONS_NV : constant VkShadingRatePaletteEntryNV := 0;
VK_SHADING_RATE_PALETTE_ENTRY_16_INVOCATIONS_PER_PIXEL_NV : constant VkShadingRatePaletteEntryNV := 1;
VK_SHADING_RATE_PALETTE_ENTRY_8_INVOCATIONS_PER_PIXEL_NV : constant VkShadingRatePaletteEntryNV := 2;
VK_SHADING_RATE_PALETTE_ENTRY_4_INVOCATIONS_PER_PIXEL_NV : constant VkShadingRatePaletteEntryNV := 3;
VK_SHADING_RATE_PALETTE_ENTRY_2_INVOCATIONS_PER_PIXEL_NV : constant VkShadingRatePaletteEntryNV := 4;
VK_SHADING_RATE_PALETTE_ENTRY_1_INVOCATION_PER_PIXEL_NV : constant VkShadingRatePaletteEntryNV := 5;
VK_SHADING_RATE_PALETTE_ENTRY_1_INVOCATION_PER_2X1_PIXELS_NV : constant VkShadingRatePaletteEntryNV := 6;
VK_SHADING_RATE_PALETTE_ENTRY_1_INVOCATION_PER_1X2_PIXELS_NV : constant VkShadingRatePaletteEntryNV := 7;
VK_SHADING_RATE_PALETTE_ENTRY_1_INVOCATION_PER_2X2_PIXELS_NV : constant VkShadingRatePaletteEntryNV := 8;
VK_SHADING_RATE_PALETTE_ENTRY_1_INVOCATION_PER_4X2_PIXELS_NV : constant VkShadingRatePaletteEntryNV := 9;
VK_SHADING_RATE_PALETTE_ENTRY_1_INVOCATION_PER_2X4_PIXELS_NV : constant VkShadingRatePaletteEntryNV := 10;
VK_SHADING_RATE_PALETTE_ENTRY_1_INVOCATION_PER_4X4_PIXELS_NV : constant VkShadingRatePaletteEntryNV := 11;
VK_SHADING_RATE_PALETTE_ENTRY_MAX_ENUM_NV : constant VkShadingRatePaletteEntryNV := 2147483647; -- vulkan_core.h:9499
subtype VkCoarseSampleOrderTypeNV is unsigned;
VK_COARSE_SAMPLE_ORDER_TYPE_DEFAULT_NV : constant VkCoarseSampleOrderTypeNV := 0;
VK_COARSE_SAMPLE_ORDER_TYPE_CUSTOM_NV : constant VkCoarseSampleOrderTypeNV := 1;
VK_COARSE_SAMPLE_ORDER_TYPE_PIXEL_MAJOR_NV : constant VkCoarseSampleOrderTypeNV := 2;
VK_COARSE_SAMPLE_ORDER_TYPE_SAMPLE_MAJOR_NV : constant VkCoarseSampleOrderTypeNV := 3;
VK_COARSE_SAMPLE_ORDER_TYPE_MAX_ENUM_NV : constant VkCoarseSampleOrderTypeNV := 2147483647; -- vulkan_core.h:9515
type VkShadingRatePaletteNV is record
shadingRatePaletteEntryCount : aliased stdint_h.uint32_t; -- vulkan_core.h:9523
pShadingRatePaletteEntries : System.Address; -- vulkan_core.h:9524
end record;
pragma Convention (C_Pass_By_Copy, VkShadingRatePaletteNV); -- vulkan_core.h:9522
type VkPipelineViewportShadingRateImageStateCreateInfoNV is record
sType : aliased VkStructureType; -- vulkan_core.h:9528
pNext : System.Address; -- vulkan_core.h:9529
shadingRateImageEnable : aliased VkBool32; -- vulkan_core.h:9530
viewportCount : aliased stdint_h.uint32_t; -- vulkan_core.h:9531
pShadingRatePalettes : System.Address; -- vulkan_core.h:9532
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineViewportShadingRateImageStateCreateInfoNV); -- vulkan_core.h:9527
type VkPhysicalDeviceShadingRateImageFeaturesNV is record
sType : aliased VkStructureType; -- vulkan_core.h:9536
pNext : System.Address; -- vulkan_core.h:9537
shadingRateImage : aliased VkBool32; -- vulkan_core.h:9538
shadingRateCoarseSampleOrder : aliased VkBool32; -- vulkan_core.h:9539
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceShadingRateImageFeaturesNV); -- vulkan_core.h:9535
type VkPhysicalDeviceShadingRateImagePropertiesNV is record
sType : aliased VkStructureType; -- vulkan_core.h:9543
pNext : System.Address; -- vulkan_core.h:9544
shadingRateTexelSize : aliased VkExtent2D; -- vulkan_core.h:9545
shadingRatePaletteSize : aliased stdint_h.uint32_t; -- vulkan_core.h:9546
shadingRateMaxCoarseSamples : aliased stdint_h.uint32_t; -- vulkan_core.h:9547
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceShadingRateImagePropertiesNV); -- vulkan_core.h:9542
type VkCoarseSampleLocationNV is record
pixelX : aliased stdint_h.uint32_t; -- vulkan_core.h:9551
pixelY : aliased stdint_h.uint32_t; -- vulkan_core.h:9552
sample : aliased stdint_h.uint32_t; -- vulkan_core.h:9553
end record;
pragma Convention (C_Pass_By_Copy, VkCoarseSampleLocationNV); -- vulkan_core.h:9550
type VkCoarseSampleOrderCustomNV is record
shadingRate : aliased VkShadingRatePaletteEntryNV; -- vulkan_core.h:9557
sampleCount : aliased stdint_h.uint32_t; -- vulkan_core.h:9558
sampleLocationCount : aliased stdint_h.uint32_t; -- vulkan_core.h:9559
pSampleLocations : System.Address; -- vulkan_core.h:9560
end record;
pragma Convention (C_Pass_By_Copy, VkCoarseSampleOrderCustomNV); -- vulkan_core.h:9556
type VkPipelineViewportCoarseSampleOrderStateCreateInfoNV is record
sType : aliased VkStructureType; -- vulkan_core.h:9564
pNext : System.Address; -- vulkan_core.h:9565
sampleOrderType : aliased VkCoarseSampleOrderTypeNV; -- vulkan_core.h:9566
customSampleOrderCount : aliased stdint_h.uint32_t; -- vulkan_core.h:9567
pCustomSampleOrders : System.Address; -- vulkan_core.h:9568
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineViewportCoarseSampleOrderStateCreateInfoNV); -- vulkan_core.h:9563
type PFN_vkCmdBindShadingRateImageNV is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkImageView;
arg3 : VkImageLayout);
pragma Convention (C, PFN_vkCmdBindShadingRateImageNV); -- vulkan_core.h:9571
type PFN_vkCmdSetViewportShadingRatePaletteNV is access procedure
(arg1 : VkCommandBuffer;
arg2 : stdint_h.uint32_t;
arg3 : stdint_h.uint32_t;
arg4 : System.Address);
pragma Convention (C, PFN_vkCmdSetViewportShadingRatePaletteNV); -- vulkan_core.h:9572
type PFN_vkCmdSetCoarseSampleOrderNV is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkCoarseSampleOrderTypeNV;
arg3 : stdint_h.uint32_t;
arg4 : System.Address);
pragma Convention (C, PFN_vkCmdSetCoarseSampleOrderNV); -- vulkan_core.h:9573
procedure vkCmdBindShadingRateImageNV
(commandBuffer : VkCommandBuffer;
imageView : VkImageView;
imageLayout : VkImageLayout); -- vulkan_core.h:9576
pragma Import (C, vkCmdBindShadingRateImageNV, "vkCmdBindShadingRateImageNV");
procedure vkCmdSetViewportShadingRatePaletteNV
(commandBuffer : VkCommandBuffer;
firstViewport : stdint_h.uint32_t;
viewportCount : stdint_h.uint32_t;
pShadingRatePalettes : System.Address); -- vulkan_core.h:9581
pragma Import (C, vkCmdSetViewportShadingRatePaletteNV, "vkCmdSetViewportShadingRatePaletteNV");
procedure vkCmdSetCoarseSampleOrderNV
(commandBuffer : VkCommandBuffer;
sampleOrderType : VkCoarseSampleOrderTypeNV;
customSampleOrderCount : stdint_h.uint32_t;
pCustomSampleOrders : System.Address); -- vulkan_core.h:9587
pragma Import (C, vkCmdSetCoarseSampleOrderNV, "vkCmdSetCoarseSampleOrderNV");
type VkAccelerationStructureNV is new System.Address; -- vulkan_core.h:9596
-- skipped empty struct VkAccelerationStructureNV_T
subtype VkRayTracingShaderGroupTypeKHR is unsigned;
VK_RAY_TRACING_SHADER_GROUP_TYPE_GENERAL_KHR : constant VkRayTracingShaderGroupTypeKHR := 0;
VK_RAY_TRACING_SHADER_GROUP_TYPE_TRIANGLES_HIT_GROUP_KHR : constant VkRayTracingShaderGroupTypeKHR := 1;
VK_RAY_TRACING_SHADER_GROUP_TYPE_PROCEDURAL_HIT_GROUP_KHR : constant VkRayTracingShaderGroupTypeKHR := 2;
VK_RAY_TRACING_SHADER_GROUP_TYPE_GENERAL_NV : constant VkRayTracingShaderGroupTypeKHR := 0;
VK_RAY_TRACING_SHADER_GROUP_TYPE_TRIANGLES_HIT_GROUP_NV : constant VkRayTracingShaderGroupTypeKHR := 1;
VK_RAY_TRACING_SHADER_GROUP_TYPE_PROCEDURAL_HIT_GROUP_NV : constant VkRayTracingShaderGroupTypeKHR := 2;
VK_RAY_TRACING_SHADER_GROUP_TYPE_MAX_ENUM_KHR : constant VkRayTracingShaderGroupTypeKHR := 2147483647; -- vulkan_core.h:9602
subtype VkRayTracingShaderGroupTypeNV is VkRayTracingShaderGroupTypeKHR;
subtype VkGeometryTypeKHR is unsigned;
VK_GEOMETRY_TYPE_TRIANGLES_KHR : constant VkGeometryTypeKHR := 0;
VK_GEOMETRY_TYPE_AABBS_KHR : constant VkGeometryTypeKHR := 1;
VK_GEOMETRY_TYPE_INSTANCES_KHR : constant VkGeometryTypeKHR := 2;
VK_GEOMETRY_TYPE_TRIANGLES_NV : constant VkGeometryTypeKHR := 0;
VK_GEOMETRY_TYPE_AABBS_NV : constant VkGeometryTypeKHR := 1;
VK_GEOMETRY_TYPE_MAX_ENUM_KHR : constant VkGeometryTypeKHR := 2147483647; -- vulkan_core.h:9614
subtype VkGeometryTypeNV is VkGeometryTypeKHR;
subtype VkAccelerationStructureTypeKHR is unsigned;
VK_ACCELERATION_STRUCTURE_TYPE_TOP_LEVEL_KHR : constant VkAccelerationStructureTypeKHR := 0;
VK_ACCELERATION_STRUCTURE_TYPE_BOTTOM_LEVEL_KHR : constant VkAccelerationStructureTypeKHR := 1;
VK_ACCELERATION_STRUCTURE_TYPE_GENERIC_KHR : constant VkAccelerationStructureTypeKHR := 2;
VK_ACCELERATION_STRUCTURE_TYPE_TOP_LEVEL_NV : constant VkAccelerationStructureTypeKHR := 0;
VK_ACCELERATION_STRUCTURE_TYPE_BOTTOM_LEVEL_NV : constant VkAccelerationStructureTypeKHR := 1;
VK_ACCELERATION_STRUCTURE_TYPE_MAX_ENUM_KHR : constant VkAccelerationStructureTypeKHR := 2147483647; -- vulkan_core.h:9625
subtype VkAccelerationStructureTypeNV is VkAccelerationStructureTypeKHR;
subtype VkCopyAccelerationStructureModeKHR is unsigned;
VK_COPY_ACCELERATION_STRUCTURE_MODE_CLONE_KHR : constant VkCopyAccelerationStructureModeKHR := 0;
VK_COPY_ACCELERATION_STRUCTURE_MODE_COMPACT_KHR : constant VkCopyAccelerationStructureModeKHR := 1;
VK_COPY_ACCELERATION_STRUCTURE_MODE_SERIALIZE_KHR : constant VkCopyAccelerationStructureModeKHR := 2;
VK_COPY_ACCELERATION_STRUCTURE_MODE_DESERIALIZE_KHR : constant VkCopyAccelerationStructureModeKHR := 3;
VK_COPY_ACCELERATION_STRUCTURE_MODE_CLONE_NV : constant VkCopyAccelerationStructureModeKHR := 0;
VK_COPY_ACCELERATION_STRUCTURE_MODE_COMPACT_NV : constant VkCopyAccelerationStructureModeKHR := 1;
VK_COPY_ACCELERATION_STRUCTURE_MODE_MAX_ENUM_KHR : constant VkCopyAccelerationStructureModeKHR := 2147483647; -- vulkan_core.h:9636
subtype VkCopyAccelerationStructureModeNV is VkCopyAccelerationStructureModeKHR;
subtype VkAccelerationStructureMemoryRequirementsTypeNV is unsigned;
VK_ACCELERATION_STRUCTURE_MEMORY_REQUIREMENTS_TYPE_OBJECT_NV : constant VkAccelerationStructureMemoryRequirementsTypeNV := 0;
VK_ACCELERATION_STRUCTURE_MEMORY_REQUIREMENTS_TYPE_BUILD_SCRATCH_NV : constant VkAccelerationStructureMemoryRequirementsTypeNV := 1;
VK_ACCELERATION_STRUCTURE_MEMORY_REQUIREMENTS_TYPE_UPDATE_SCRATCH_NV : constant VkAccelerationStructureMemoryRequirementsTypeNV := 2;
VK_ACCELERATION_STRUCTURE_MEMORY_REQUIREMENTS_TYPE_MAX_ENUM_NV : constant VkAccelerationStructureMemoryRequirementsTypeNV := 2147483647; -- vulkan_core.h:9648
subtype VkGeometryFlagBitsKHR is unsigned;
VK_GEOMETRY_OPAQUE_BIT_KHR : constant VkGeometryFlagBitsKHR := 1;
VK_GEOMETRY_NO_DUPLICATE_ANY_HIT_INVOCATION_BIT_KHR : constant VkGeometryFlagBitsKHR := 2;
VK_GEOMETRY_OPAQUE_BIT_NV : constant VkGeometryFlagBitsKHR := 1;
VK_GEOMETRY_NO_DUPLICATE_ANY_HIT_INVOCATION_BIT_NV : constant VkGeometryFlagBitsKHR := 2;
VK_GEOMETRY_FLAG_BITS_MAX_ENUM_KHR : constant VkGeometryFlagBitsKHR := 2147483647; -- vulkan_core.h:9655
subtype VkGeometryFlagsKHR is VkFlags; -- vulkan_core.h:9662
subtype VkGeometryFlagsNV is VkGeometryFlagsKHR; -- vulkan_core.h:9663
subtype VkGeometryFlagBitsNV is VkGeometryFlagBitsKHR;
subtype VkGeometryInstanceFlagBitsKHR is unsigned;
VK_GEOMETRY_INSTANCE_TRIANGLE_FACING_CULL_DISABLE_BIT_KHR : constant VkGeometryInstanceFlagBitsKHR := 1;
VK_GEOMETRY_INSTANCE_TRIANGLE_FRONT_COUNTERCLOCKWISE_BIT_KHR : constant VkGeometryInstanceFlagBitsKHR := 2;
VK_GEOMETRY_INSTANCE_FORCE_OPAQUE_BIT_KHR : constant VkGeometryInstanceFlagBitsKHR := 4;
VK_GEOMETRY_INSTANCE_FORCE_NO_OPAQUE_BIT_KHR : constant VkGeometryInstanceFlagBitsKHR := 8;
VK_GEOMETRY_INSTANCE_TRIANGLE_CULL_DISABLE_BIT_NV : constant VkGeometryInstanceFlagBitsKHR := 1;
VK_GEOMETRY_INSTANCE_TRIANGLE_FRONT_COUNTERCLOCKWISE_BIT_NV : constant VkGeometryInstanceFlagBitsKHR := 2;
VK_GEOMETRY_INSTANCE_FORCE_OPAQUE_BIT_NV : constant VkGeometryInstanceFlagBitsKHR := 4;
VK_GEOMETRY_INSTANCE_FORCE_NO_OPAQUE_BIT_NV : constant VkGeometryInstanceFlagBitsKHR := 8;
VK_GEOMETRY_INSTANCE_FLAG_BITS_MAX_ENUM_KHR : constant VkGeometryInstanceFlagBitsKHR := 2147483647; -- vulkan_core.h:9668
subtype VkGeometryInstanceFlagsKHR is VkFlags; -- vulkan_core.h:9679
subtype VkGeometryInstanceFlagsNV is VkGeometryInstanceFlagsKHR; -- vulkan_core.h:9680
subtype VkGeometryInstanceFlagBitsNV is VkGeometryInstanceFlagBitsKHR;
subtype VkBuildAccelerationStructureFlagBitsKHR is unsigned;
VK_BUILD_ACCELERATION_STRUCTURE_ALLOW_UPDATE_BIT_KHR : constant VkBuildAccelerationStructureFlagBitsKHR := 1;
VK_BUILD_ACCELERATION_STRUCTURE_ALLOW_COMPACTION_BIT_KHR : constant VkBuildAccelerationStructureFlagBitsKHR := 2;
VK_BUILD_ACCELERATION_STRUCTURE_PREFER_FAST_TRACE_BIT_KHR : constant VkBuildAccelerationStructureFlagBitsKHR := 4;
VK_BUILD_ACCELERATION_STRUCTURE_PREFER_FAST_BUILD_BIT_KHR : constant VkBuildAccelerationStructureFlagBitsKHR := 8;
VK_BUILD_ACCELERATION_STRUCTURE_LOW_MEMORY_BIT_KHR : constant VkBuildAccelerationStructureFlagBitsKHR := 16;
VK_BUILD_ACCELERATION_STRUCTURE_ALLOW_UPDATE_BIT_NV : constant VkBuildAccelerationStructureFlagBitsKHR := 1;
VK_BUILD_ACCELERATION_STRUCTURE_ALLOW_COMPACTION_BIT_NV : constant VkBuildAccelerationStructureFlagBitsKHR := 2;
VK_BUILD_ACCELERATION_STRUCTURE_PREFER_FAST_TRACE_BIT_NV : constant VkBuildAccelerationStructureFlagBitsKHR := 4;
VK_BUILD_ACCELERATION_STRUCTURE_PREFER_FAST_BUILD_BIT_NV : constant VkBuildAccelerationStructureFlagBitsKHR := 8;
VK_BUILD_ACCELERATION_STRUCTURE_LOW_MEMORY_BIT_NV : constant VkBuildAccelerationStructureFlagBitsKHR := 16;
VK_BUILD_ACCELERATION_STRUCTURE_FLAG_BITS_MAX_ENUM_KHR : constant VkBuildAccelerationStructureFlagBitsKHR := 2147483647; -- vulkan_core.h:9685
subtype VkBuildAccelerationStructureFlagsKHR is VkFlags; -- vulkan_core.h:9698
subtype VkBuildAccelerationStructureFlagsNV is VkBuildAccelerationStructureFlagsKHR; -- vulkan_core.h:9699
subtype VkBuildAccelerationStructureFlagBitsNV is VkBuildAccelerationStructureFlagBitsKHR;
type VkRayTracingShaderGroupCreateInfoNV is record
sType : aliased VkStructureType; -- vulkan_core.h:9704
pNext : System.Address; -- vulkan_core.h:9705
c_type : aliased VkRayTracingShaderGroupTypeKHR; -- vulkan_core.h:9706
generalShader : aliased stdint_h.uint32_t; -- vulkan_core.h:9707
closestHitShader : aliased stdint_h.uint32_t; -- vulkan_core.h:9708
anyHitShader : aliased stdint_h.uint32_t; -- vulkan_core.h:9709
intersectionShader : aliased stdint_h.uint32_t; -- vulkan_core.h:9710
end record;
pragma Convention (C_Pass_By_Copy, VkRayTracingShaderGroupCreateInfoNV); -- vulkan_core.h:9703
type VkRayTracingPipelineCreateInfoNV is record
sType : aliased VkStructureType; -- vulkan_core.h:9714
pNext : System.Address; -- vulkan_core.h:9715
flags : aliased VkPipelineCreateFlags; -- vulkan_core.h:9716
stageCount : aliased stdint_h.uint32_t; -- vulkan_core.h:9717
pStages : System.Address; -- vulkan_core.h:9718
groupCount : aliased stdint_h.uint32_t; -- vulkan_core.h:9719
pGroups : System.Address; -- vulkan_core.h:9720
maxRecursionDepth : aliased stdint_h.uint32_t; -- vulkan_core.h:9721
layout : VkPipelineLayout; -- vulkan_core.h:9722
basePipelineHandle : VkPipeline; -- vulkan_core.h:9723
basePipelineIndex : aliased stdint_h.int32_t; -- vulkan_core.h:9724
end record;
pragma Convention (C_Pass_By_Copy, VkRayTracingPipelineCreateInfoNV); -- vulkan_core.h:9713
type VkGeometryTrianglesNV is record
sType : aliased VkStructureType; -- vulkan_core.h:9728
pNext : System.Address; -- vulkan_core.h:9729
vertexData : VkBuffer; -- vulkan_core.h:9730
vertexOffset : aliased VkDeviceSize; -- vulkan_core.h:9731
vertexCount : aliased stdint_h.uint32_t; -- vulkan_core.h:9732
vertexStride : aliased VkDeviceSize; -- vulkan_core.h:9733
vertexFormat : aliased VkFormat; -- vulkan_core.h:9734
indexData : VkBuffer; -- vulkan_core.h:9735
indexOffset : aliased VkDeviceSize; -- vulkan_core.h:9736
indexCount : aliased stdint_h.uint32_t; -- vulkan_core.h:9737
indexType : aliased VkIndexType; -- vulkan_core.h:9738
transformData : VkBuffer; -- vulkan_core.h:9739
transformOffset : aliased VkDeviceSize; -- vulkan_core.h:9740
end record;
pragma Convention (C_Pass_By_Copy, VkGeometryTrianglesNV); -- vulkan_core.h:9727
type VkGeometryAABBNV is record
sType : aliased VkStructureType; -- vulkan_core.h:9744
pNext : System.Address; -- vulkan_core.h:9745
aabbData : VkBuffer; -- vulkan_core.h:9746
numAABBs : aliased stdint_h.uint32_t; -- vulkan_core.h:9747
stride : aliased stdint_h.uint32_t; -- vulkan_core.h:9748
offset : aliased VkDeviceSize; -- vulkan_core.h:9749
end record;
pragma Convention (C_Pass_By_Copy, VkGeometryAABBNV); -- vulkan_core.h:9743
type VkGeometryDataNV is record
triangles : aliased VkGeometryTrianglesNV; -- vulkan_core.h:9753
aabbs : aliased VkGeometryAABBNV; -- vulkan_core.h:9754
end record;
pragma Convention (C_Pass_By_Copy, VkGeometryDataNV); -- vulkan_core.h:9752
type VkGeometryNV is record
sType : aliased VkStructureType; -- vulkan_core.h:9758
pNext : System.Address; -- vulkan_core.h:9759
geometryType : aliased VkGeometryTypeKHR; -- vulkan_core.h:9760
geometry : aliased VkGeometryDataNV; -- vulkan_core.h:9761
flags : aliased VkGeometryFlagsKHR; -- vulkan_core.h:9762
end record;
pragma Convention (C_Pass_By_Copy, VkGeometryNV); -- vulkan_core.h:9757
type VkAccelerationStructureInfoNV is record
sType : aliased VkStructureType; -- vulkan_core.h:9766
pNext : System.Address; -- vulkan_core.h:9767
c_type : aliased VkAccelerationStructureTypeNV; -- vulkan_core.h:9768
flags : aliased VkBuildAccelerationStructureFlagsNV; -- vulkan_core.h:9769
instanceCount : aliased stdint_h.uint32_t; -- vulkan_core.h:9770
geometryCount : aliased stdint_h.uint32_t; -- vulkan_core.h:9771
pGeometries : System.Address; -- vulkan_core.h:9772
end record;
pragma Convention (C_Pass_By_Copy, VkAccelerationStructureInfoNV); -- vulkan_core.h:9765
type VkAccelerationStructureCreateInfoNV is record
sType : aliased VkStructureType; -- vulkan_core.h:9776
pNext : System.Address; -- vulkan_core.h:9777
compactedSize : aliased VkDeviceSize; -- vulkan_core.h:9778
info : aliased VkAccelerationStructureInfoNV; -- vulkan_core.h:9779
end record;
pragma Convention (C_Pass_By_Copy, VkAccelerationStructureCreateInfoNV); -- vulkan_core.h:9775
type VkBindAccelerationStructureMemoryInfoNV is record
sType : aliased VkStructureType; -- vulkan_core.h:9783
pNext : System.Address; -- vulkan_core.h:9784
accelerationStructure : VkAccelerationStructureNV; -- vulkan_core.h:9785
memory : VkDeviceMemory; -- vulkan_core.h:9786
memoryOffset : aliased VkDeviceSize; -- vulkan_core.h:9787
deviceIndexCount : aliased stdint_h.uint32_t; -- vulkan_core.h:9788
pDeviceIndices : access stdint_h.uint32_t; -- vulkan_core.h:9789
end record;
pragma Convention (C_Pass_By_Copy, VkBindAccelerationStructureMemoryInfoNV); -- vulkan_core.h:9782
type VkWriteDescriptorSetAccelerationStructureNV is record
sType : aliased VkStructureType; -- vulkan_core.h:9793
pNext : System.Address; -- vulkan_core.h:9794
accelerationStructureCount : aliased stdint_h.uint32_t; -- vulkan_core.h:9795
pAccelerationStructures : System.Address; -- vulkan_core.h:9796
end record;
pragma Convention (C_Pass_By_Copy, VkWriteDescriptorSetAccelerationStructureNV); -- vulkan_core.h:9792
type VkAccelerationStructureMemoryRequirementsInfoNV is record
sType : aliased VkStructureType; -- vulkan_core.h:9800
pNext : System.Address; -- vulkan_core.h:9801
c_type : aliased VkAccelerationStructureMemoryRequirementsTypeNV; -- vulkan_core.h:9802
accelerationStructure : VkAccelerationStructureNV; -- vulkan_core.h:9803
end record;
pragma Convention (C_Pass_By_Copy, VkAccelerationStructureMemoryRequirementsInfoNV); -- vulkan_core.h:9799
type VkPhysicalDeviceRayTracingPropertiesNV is record
sType : aliased VkStructureType; -- vulkan_core.h:9807
pNext : System.Address; -- vulkan_core.h:9808
shaderGroupHandleSize : aliased stdint_h.uint32_t; -- vulkan_core.h:9809
maxRecursionDepth : aliased stdint_h.uint32_t; -- vulkan_core.h:9810
maxShaderGroupStride : aliased stdint_h.uint32_t; -- vulkan_core.h:9811
shaderGroupBaseAlignment : aliased stdint_h.uint32_t; -- vulkan_core.h:9812
maxGeometryCount : aliased stdint_h.uint64_t; -- vulkan_core.h:9813
maxInstanceCount : aliased stdint_h.uint64_t; -- vulkan_core.h:9814
maxTriangleCount : aliased stdint_h.uint64_t; -- vulkan_core.h:9815
maxDescriptorSetAccelerationStructures : aliased stdint_h.uint32_t; -- vulkan_core.h:9816
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceRayTracingPropertiesNV); -- vulkan_core.h:9806
type VkTransformMatrixKHR_matrix_array is array (0 .. 2, 0 .. 3) of aliased float;
type VkTransformMatrixKHR is record
matrix : aliased VkTransformMatrixKHR_matrix_array; -- vulkan_core.h:9820
end record;
pragma Convention (C_Pass_By_Copy, VkTransformMatrixKHR); -- vulkan_core.h:9819
subtype VkTransformMatrixNV is VkTransformMatrixKHR;
type VkAabbPositionsKHR is record
minX : aliased float; -- vulkan_core.h:9826
minY : aliased float; -- vulkan_core.h:9827
minZ : aliased float; -- vulkan_core.h:9828
maxX : aliased float; -- vulkan_core.h:9829
maxY : aliased float; -- vulkan_core.h:9830
maxZ : aliased float; -- vulkan_core.h:9831
end record;
pragma Convention (C_Pass_By_Copy, VkAabbPositionsKHR); -- vulkan_core.h:9825
subtype VkAabbPositionsNV is VkAabbPositionsKHR;
type VkAccelerationStructureInstanceKHR is record
transform : aliased VkTransformMatrixKHR; -- vulkan_core.h:9837
instanceCustomIndex : Extensions.Unsigned_24; -- vulkan_core.h:9838
mask : aliased unsigned_char; -- vulkan_core.h:9839
instanceShaderBindingTableRecordOffset : Extensions.Unsigned_24; -- vulkan_core.h:9840
flags : aliased unsigned_char; -- vulkan_core.h:9841
accelerationStructureReference : aliased stdint_h.uint64_t; -- vulkan_core.h:9842
end record;
pragma Convention (C_Pass_By_Copy, VkAccelerationStructureInstanceKHR);
pragma Pack (VkAccelerationStructureInstanceKHR); -- vulkan_core.h:9836
subtype VkAccelerationStructureInstanceNV is VkAccelerationStructureInstanceKHR;
type PFN_vkCreateAccelerationStructureNV is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateAccelerationStructureNV); -- vulkan_core.h:9847
type PFN_vkDestroyAccelerationStructureNV is access procedure
(arg1 : VkDevice;
arg2 : VkAccelerationStructureNV;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroyAccelerationStructureNV); -- vulkan_core.h:9848
type PFN_vkGetAccelerationStructureMemoryRequirementsNV is access procedure
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : access VkMemoryRequirements2KHR);
pragma Convention (C, PFN_vkGetAccelerationStructureMemoryRequirementsNV); -- vulkan_core.h:9849
type PFN_vkBindAccelerationStructureMemoryNV is access function
(arg1 : VkDevice;
arg2 : stdint_h.uint32_t;
arg3 : System.Address) return VkResult;
pragma Convention (C, PFN_vkBindAccelerationStructureMemoryNV); -- vulkan_core.h:9850
type PFN_vkCmdBuildAccelerationStructureNV is access procedure
(arg1 : VkCommandBuffer;
arg2 : System.Address;
arg3 : VkBuffer;
arg4 : VkDeviceSize;
arg5 : VkBool32;
arg6 : VkAccelerationStructureNV;
arg7 : VkAccelerationStructureNV;
arg8 : VkBuffer;
arg9 : VkDeviceSize);
pragma Convention (C, PFN_vkCmdBuildAccelerationStructureNV); -- vulkan_core.h:9851
type PFN_vkCmdCopyAccelerationStructureNV is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkAccelerationStructureNV;
arg3 : VkAccelerationStructureNV;
arg4 : VkCopyAccelerationStructureModeKHR);
pragma Convention (C, PFN_vkCmdCopyAccelerationStructureNV); -- vulkan_core.h:9852
type PFN_vkCmdTraceRaysNV is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkBuffer;
arg3 : VkDeviceSize;
arg4 : VkBuffer;
arg5 : VkDeviceSize;
arg6 : VkDeviceSize;
arg7 : VkBuffer;
arg8 : VkDeviceSize;
arg9 : VkDeviceSize;
arg10 : VkBuffer;
arg11 : VkDeviceSize;
arg12 : VkDeviceSize;
arg13 : stdint_h.uint32_t;
arg14 : stdint_h.uint32_t;
arg15 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdTraceRaysNV); -- vulkan_core.h:9853
type PFN_vkCreateRayTracingPipelinesNV is access function
(arg1 : VkDevice;
arg2 : VkPipelineCache;
arg3 : stdint_h.uint32_t;
arg4 : System.Address;
arg5 : System.Address;
arg6 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateRayTracingPipelinesNV); -- vulkan_core.h:9854
type PFN_vkGetRayTracingShaderGroupHandlesKHR is access function
(arg1 : VkDevice;
arg2 : VkPipeline;
arg3 : stdint_h.uint32_t;
arg4 : stdint_h.uint32_t;
arg5 : crtdefs_h.size_t;
arg6 : System.Address) return VkResult;
pragma Convention (C, PFN_vkGetRayTracingShaderGroupHandlesKHR); -- vulkan_core.h:9855
type PFN_vkGetRayTracingShaderGroupHandlesNV is access function
(arg1 : VkDevice;
arg2 : VkPipeline;
arg3 : stdint_h.uint32_t;
arg4 : stdint_h.uint32_t;
arg5 : crtdefs_h.size_t;
arg6 : System.Address) return VkResult;
pragma Convention (C, PFN_vkGetRayTracingShaderGroupHandlesNV); -- vulkan_core.h:9856
type PFN_vkGetAccelerationStructureHandleNV is access function
(arg1 : VkDevice;
arg2 : VkAccelerationStructureNV;
arg3 : crtdefs_h.size_t;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkGetAccelerationStructureHandleNV); -- vulkan_core.h:9857
type PFN_vkCmdWriteAccelerationStructuresPropertiesNV is access procedure
(arg1 : VkCommandBuffer;
arg2 : stdint_h.uint32_t;
arg3 : System.Address;
arg4 : VkQueryType;
arg5 : VkQueryPool;
arg6 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdWriteAccelerationStructuresPropertiesNV); -- vulkan_core.h:9858
type PFN_vkCompileDeferredNV is access function
(arg1 : VkDevice;
arg2 : VkPipeline;
arg3 : stdint_h.uint32_t) return VkResult;
pragma Convention (C, PFN_vkCompileDeferredNV); -- vulkan_core.h:9859
function vkCreateAccelerationStructureNV
(device : VkDevice;
pCreateInfo : System.Address;
pAllocator : System.Address;
pAccelerationStructure : System.Address) return VkResult; -- vulkan_core.h:9862
pragma Import (C, vkCreateAccelerationStructureNV, "vkCreateAccelerationStructureNV");
procedure vkDestroyAccelerationStructureNV
(device : VkDevice;
accelerationStructure : VkAccelerationStructureNV;
pAllocator : System.Address); -- vulkan_core.h:9868
pragma Import (C, vkDestroyAccelerationStructureNV, "vkDestroyAccelerationStructureNV");
procedure vkGetAccelerationStructureMemoryRequirementsNV
(device : VkDevice;
pInfo : System.Address;
pMemoryRequirements : access VkMemoryRequirements2KHR); -- vulkan_core.h:9873
pragma Import (C, vkGetAccelerationStructureMemoryRequirementsNV, "vkGetAccelerationStructureMemoryRequirementsNV");
function vkBindAccelerationStructureMemoryNV
(device : VkDevice;
bindInfoCount : stdint_h.uint32_t;
pBindInfos : System.Address) return VkResult; -- vulkan_core.h:9878
pragma Import (C, vkBindAccelerationStructureMemoryNV, "vkBindAccelerationStructureMemoryNV");
procedure vkCmdBuildAccelerationStructureNV
(commandBuffer : VkCommandBuffer;
pInfo : System.Address;
instanceData : VkBuffer;
instanceOffset : VkDeviceSize;
update : VkBool32;
dst : VkAccelerationStructureNV;
src : VkAccelerationStructureNV;
scratch : VkBuffer;
scratchOffset : VkDeviceSize); -- vulkan_core.h:9883
pragma Import (C, vkCmdBuildAccelerationStructureNV, "vkCmdBuildAccelerationStructureNV");
procedure vkCmdCopyAccelerationStructureNV
(commandBuffer : VkCommandBuffer;
dst : VkAccelerationStructureNV;
src : VkAccelerationStructureNV;
mode : VkCopyAccelerationStructureModeKHR); -- vulkan_core.h:9894
pragma Import (C, vkCmdCopyAccelerationStructureNV, "vkCmdCopyAccelerationStructureNV");
procedure vkCmdTraceRaysNV
(commandBuffer : VkCommandBuffer;
raygenShaderBindingTableBuffer : VkBuffer;
raygenShaderBindingOffset : VkDeviceSize;
missShaderBindingTableBuffer : VkBuffer;
missShaderBindingOffset : VkDeviceSize;
missShaderBindingStride : VkDeviceSize;
hitShaderBindingTableBuffer : VkBuffer;
hitShaderBindingOffset : VkDeviceSize;
hitShaderBindingStride : VkDeviceSize;
callableShaderBindingTableBuffer : VkBuffer;
callableShaderBindingOffset : VkDeviceSize;
callableShaderBindingStride : VkDeviceSize;
width : stdint_h.uint32_t;
height : stdint_h.uint32_t;
depth : stdint_h.uint32_t); -- vulkan_core.h:9900
pragma Import (C, vkCmdTraceRaysNV, "vkCmdTraceRaysNV");
function vkCreateRayTracingPipelinesNV
(device : VkDevice;
pipelineCache : VkPipelineCache;
createInfoCount : stdint_h.uint32_t;
pCreateInfos : System.Address;
pAllocator : System.Address;
pPipelines : System.Address) return VkResult; -- vulkan_core.h:9917
pragma Import (C, vkCreateRayTracingPipelinesNV, "vkCreateRayTracingPipelinesNV");
function vkGetRayTracingShaderGroupHandlesKHR
(device : VkDevice;
pipeline : VkPipeline;
firstGroup : stdint_h.uint32_t;
groupCount : stdint_h.uint32_t;
dataSize : crtdefs_h.size_t;
pData : System.Address) return VkResult; -- vulkan_core.h:9925
pragma Import (C, vkGetRayTracingShaderGroupHandlesKHR, "vkGetRayTracingShaderGroupHandlesKHR");
function vkGetRayTracingShaderGroupHandlesNV
(device : VkDevice;
pipeline : VkPipeline;
firstGroup : stdint_h.uint32_t;
groupCount : stdint_h.uint32_t;
dataSize : crtdefs_h.size_t;
pData : System.Address) return VkResult; -- vulkan_core.h:9933
pragma Import (C, vkGetRayTracingShaderGroupHandlesNV, "vkGetRayTracingShaderGroupHandlesNV");
function vkGetAccelerationStructureHandleNV
(device : VkDevice;
accelerationStructure : VkAccelerationStructureNV;
dataSize : crtdefs_h.size_t;
pData : System.Address) return VkResult; -- vulkan_core.h:9941
pragma Import (C, vkGetAccelerationStructureHandleNV, "vkGetAccelerationStructureHandleNV");
procedure vkCmdWriteAccelerationStructuresPropertiesNV
(commandBuffer : VkCommandBuffer;
accelerationStructureCount : stdint_h.uint32_t;
pAccelerationStructures : System.Address;
queryType : VkQueryType;
queryPool : VkQueryPool;
firstQuery : stdint_h.uint32_t); -- vulkan_core.h:9947
pragma Import (C, vkCmdWriteAccelerationStructuresPropertiesNV, "vkCmdWriteAccelerationStructuresPropertiesNV");
function vkCompileDeferredNV
(device : VkDevice;
pipeline : VkPipeline;
shader : stdint_h.uint32_t) return VkResult; -- vulkan_core.h:9955
pragma Import (C, vkCompileDeferredNV, "vkCompileDeferredNV");
type VkPhysicalDeviceRepresentativeFragmentTestFeaturesNV is record
sType : aliased VkStructureType; -- vulkan_core.h:9966
pNext : System.Address; -- vulkan_core.h:9967
representativeFragmentTest : aliased VkBool32; -- vulkan_core.h:9968
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceRepresentativeFragmentTestFeaturesNV); -- vulkan_core.h:9965
type VkPipelineRepresentativeFragmentTestStateCreateInfoNV is record
sType : aliased VkStructureType; -- vulkan_core.h:9972
pNext : System.Address; -- vulkan_core.h:9973
representativeFragmentTestEnable : aliased VkBool32; -- vulkan_core.h:9974
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineRepresentativeFragmentTestStateCreateInfoNV); -- vulkan_core.h:9971
type VkPhysicalDeviceImageViewImageFormatInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:9983
pNext : System.Address; -- vulkan_core.h:9984
imageViewType : aliased VkImageViewType; -- vulkan_core.h:9985
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceImageViewImageFormatInfoEXT); -- vulkan_core.h:9982
type VkFilterCubicImageViewImageFormatPropertiesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:9989
pNext : System.Address; -- vulkan_core.h:9990
filterCubic : aliased VkBool32; -- vulkan_core.h:9991
filterCubicMinmax : aliased VkBool32; -- vulkan_core.h:9992
end record;
pragma Convention (C_Pass_By_Copy, VkFilterCubicImageViewImageFormatPropertiesEXT); -- vulkan_core.h:9988
subtype VkQueueGlobalPriorityEXT is unsigned;
VK_QUEUE_GLOBAL_PRIORITY_LOW_EXT : constant VkQueueGlobalPriorityEXT := 128;
VK_QUEUE_GLOBAL_PRIORITY_MEDIUM_EXT : constant VkQueueGlobalPriorityEXT := 256;
VK_QUEUE_GLOBAL_PRIORITY_HIGH_EXT : constant VkQueueGlobalPriorityEXT := 512;
VK_QUEUE_GLOBAL_PRIORITY_REALTIME_EXT : constant VkQueueGlobalPriorityEXT := 1024;
VK_QUEUE_GLOBAL_PRIORITY_MAX_ENUM_EXT : constant VkQueueGlobalPriorityEXT := 2147483647; -- vulkan_core.h:10006
type VkDeviceQueueGlobalPriorityCreateInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:10014
pNext : System.Address; -- vulkan_core.h:10015
globalPriority : aliased VkQueueGlobalPriorityEXT; -- vulkan_core.h:10016
end record;
pragma Convention (C_Pass_By_Copy, VkDeviceQueueGlobalPriorityCreateInfoEXT); -- vulkan_core.h:10013
type VkImportMemoryHostPointerInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:10025
pNext : System.Address; -- vulkan_core.h:10026
handleType : aliased VkExternalMemoryHandleTypeFlagBits; -- vulkan_core.h:10027
pHostPointer : System.Address; -- vulkan_core.h:10028
end record;
pragma Convention (C_Pass_By_Copy, VkImportMemoryHostPointerInfoEXT); -- vulkan_core.h:10024
type VkMemoryHostPointerPropertiesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:10032
pNext : System.Address; -- vulkan_core.h:10033
memoryTypeBits : aliased stdint_h.uint32_t; -- vulkan_core.h:10034
end record;
pragma Convention (C_Pass_By_Copy, VkMemoryHostPointerPropertiesEXT); -- vulkan_core.h:10031
type VkPhysicalDeviceExternalMemoryHostPropertiesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:10038
pNext : System.Address; -- vulkan_core.h:10039
minImportedHostPointerAlignment : aliased VkDeviceSize; -- vulkan_core.h:10040
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceExternalMemoryHostPropertiesEXT); -- vulkan_core.h:10037
type PFN_vkGetMemoryHostPointerPropertiesEXT is access function
(arg1 : VkDevice;
arg2 : VkExternalMemoryHandleTypeFlagBits;
arg3 : System.Address;
arg4 : access VkMemoryHostPointerPropertiesEXT) return VkResult;
pragma Convention (C, PFN_vkGetMemoryHostPointerPropertiesEXT); -- vulkan_core.h:10043
function vkGetMemoryHostPointerPropertiesEXT
(device : VkDevice;
handleType : VkExternalMemoryHandleTypeFlagBits;
pHostPointer : System.Address;
pMemoryHostPointerProperties : access VkMemoryHostPointerPropertiesEXT) return VkResult; -- vulkan_core.h:10046
pragma Import (C, vkGetMemoryHostPointerPropertiesEXT, "vkGetMemoryHostPointerPropertiesEXT");
type PFN_vkCmdWriteBufferMarkerAMD is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkPipelineStageFlagBits;
arg3 : VkBuffer;
arg4 : VkDeviceSize;
arg5 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdWriteBufferMarkerAMD); -- vulkan_core.h:10057
procedure vkCmdWriteBufferMarkerAMD
(commandBuffer : VkCommandBuffer;
pipelineStage : VkPipelineStageFlagBits;
dstBuffer : VkBuffer;
dstOffset : VkDeviceSize;
marker : stdint_h.uint32_t); -- vulkan_core.h:10060
pragma Import (C, vkCmdWriteBufferMarkerAMD, "vkCmdWriteBufferMarkerAMD");
subtype VkPipelineCompilerControlFlagBitsAMD is unsigned;
VK_PIPELINE_COMPILER_CONTROL_FLAG_BITS_MAX_ENUM_AMD : constant VkPipelineCompilerControlFlagBitsAMD := 2147483647; -- vulkan_core.h:10073
subtype VkPipelineCompilerControlFlagsAMD is VkFlags; -- vulkan_core.h:10076
type VkPipelineCompilerControlCreateInfoAMD is record
sType : aliased VkStructureType; -- vulkan_core.h:10078
pNext : System.Address; -- vulkan_core.h:10079
compilerControlFlags : aliased VkPipelineCompilerControlFlagsAMD; -- vulkan_core.h:10080
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineCompilerControlCreateInfoAMD); -- vulkan_core.h:10077
subtype VkTimeDomainEXT is unsigned;
VK_TIME_DOMAIN_DEVICE_EXT : constant VkTimeDomainEXT := 0;
VK_TIME_DOMAIN_CLOCK_MONOTONIC_EXT : constant VkTimeDomainEXT := 1;
VK_TIME_DOMAIN_CLOCK_MONOTONIC_RAW_EXT : constant VkTimeDomainEXT := 2;
VK_TIME_DOMAIN_QUERY_PERFORMANCE_COUNTER_EXT : constant VkTimeDomainEXT := 3;
VK_TIME_DOMAIN_MAX_ENUM_EXT : constant VkTimeDomainEXT := 2147483647; -- vulkan_core.h:10089
type VkCalibratedTimestampInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:10097
pNext : System.Address; -- vulkan_core.h:10098
timeDomain : aliased VkTimeDomainEXT; -- vulkan_core.h:10099
end record;
pragma Convention (C_Pass_By_Copy, VkCalibratedTimestampInfoEXT); -- vulkan_core.h:10096
type PFN_vkGetPhysicalDeviceCalibrateableTimeDomainsEXT is access function
(arg1 : VkPhysicalDevice;
arg2 : access stdint_h.uint32_t;
arg3 : access VkTimeDomainEXT) return VkResult;
pragma Convention (C, PFN_vkGetPhysicalDeviceCalibrateableTimeDomainsEXT); -- vulkan_core.h:10102
type PFN_vkGetCalibratedTimestampsEXT is access function
(arg1 : VkDevice;
arg2 : stdint_h.uint32_t;
arg3 : System.Address;
arg4 : access stdint_h.uint64_t;
arg5 : access stdint_h.uint64_t) return VkResult;
pragma Convention (C, PFN_vkGetCalibratedTimestampsEXT); -- vulkan_core.h:10103
function vkGetPhysicalDeviceCalibrateableTimeDomainsEXT
(physicalDevice : VkPhysicalDevice;
pTimeDomainCount : access stdint_h.uint32_t;
pTimeDomains : access VkTimeDomainEXT) return VkResult; -- vulkan_core.h:10106
pragma Import (C, vkGetPhysicalDeviceCalibrateableTimeDomainsEXT, "vkGetPhysicalDeviceCalibrateableTimeDomainsEXT");
function vkGetCalibratedTimestampsEXT
(device : VkDevice;
timestampCount : stdint_h.uint32_t;
pTimestampInfos : System.Address;
pTimestamps : access stdint_h.uint64_t;
pMaxDeviation : access stdint_h.uint64_t) return VkResult; -- vulkan_core.h:10111
pragma Import (C, vkGetCalibratedTimestampsEXT, "vkGetCalibratedTimestampsEXT");
type VkPhysicalDeviceShaderCorePropertiesAMD is record
sType : aliased VkStructureType; -- vulkan_core.h:10124
pNext : System.Address; -- vulkan_core.h:10125
shaderEngineCount : aliased stdint_h.uint32_t; -- vulkan_core.h:10126
shaderArraysPerEngineCount : aliased stdint_h.uint32_t; -- vulkan_core.h:10127
computeUnitsPerShaderArray : aliased stdint_h.uint32_t; -- vulkan_core.h:10128
simdPerComputeUnit : aliased stdint_h.uint32_t; -- vulkan_core.h:10129
wavefrontsPerSimd : aliased stdint_h.uint32_t; -- vulkan_core.h:10130
wavefrontSize : aliased stdint_h.uint32_t; -- vulkan_core.h:10131
sgprsPerSimd : aliased stdint_h.uint32_t; -- vulkan_core.h:10132
minSgprAllocation : aliased stdint_h.uint32_t; -- vulkan_core.h:10133
maxSgprAllocation : aliased stdint_h.uint32_t; -- vulkan_core.h:10134
sgprAllocationGranularity : aliased stdint_h.uint32_t; -- vulkan_core.h:10135
vgprsPerSimd : aliased stdint_h.uint32_t; -- vulkan_core.h:10136
minVgprAllocation : aliased stdint_h.uint32_t; -- vulkan_core.h:10137
maxVgprAllocation : aliased stdint_h.uint32_t; -- vulkan_core.h:10138
vgprAllocationGranularity : aliased stdint_h.uint32_t; -- vulkan_core.h:10139
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceShaderCorePropertiesAMD); -- vulkan_core.h:10123
subtype VkMemoryOverallocationBehaviorAMD is unsigned;
VK_MEMORY_OVERALLOCATION_BEHAVIOR_DEFAULT_AMD : constant VkMemoryOverallocationBehaviorAMD := 0;
VK_MEMORY_OVERALLOCATION_BEHAVIOR_ALLOWED_AMD : constant VkMemoryOverallocationBehaviorAMD := 1;
VK_MEMORY_OVERALLOCATION_BEHAVIOR_DISALLOWED_AMD : constant VkMemoryOverallocationBehaviorAMD := 2;
VK_MEMORY_OVERALLOCATION_BEHAVIOR_MAX_ENUM_AMD : constant VkMemoryOverallocationBehaviorAMD := 2147483647; -- vulkan_core.h:10148
type VkDeviceMemoryOverallocationCreateInfoAMD is record
sType : aliased VkStructureType; -- vulkan_core.h:10155
pNext : System.Address; -- vulkan_core.h:10156
overallocationBehavior : aliased VkMemoryOverallocationBehaviorAMD; -- vulkan_core.h:10157
end record;
pragma Convention (C_Pass_By_Copy, VkDeviceMemoryOverallocationCreateInfoAMD); -- vulkan_core.h:10154
type VkPhysicalDeviceVertexAttributeDivisorPropertiesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:10166
pNext : System.Address; -- vulkan_core.h:10167
maxVertexAttribDivisor : aliased stdint_h.uint32_t; -- vulkan_core.h:10168
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceVertexAttributeDivisorPropertiesEXT); -- vulkan_core.h:10165
type VkVertexInputBindingDivisorDescriptionEXT is record
binding : aliased stdint_h.uint32_t; -- vulkan_core.h:10172
divisor : aliased stdint_h.uint32_t; -- vulkan_core.h:10173
end record;
pragma Convention (C_Pass_By_Copy, VkVertexInputBindingDivisorDescriptionEXT); -- vulkan_core.h:10171
type VkPipelineVertexInputDivisorStateCreateInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:10177
pNext : System.Address; -- vulkan_core.h:10178
vertexBindingDivisorCount : aliased stdint_h.uint32_t; -- vulkan_core.h:10179
pVertexBindingDivisors : System.Address; -- vulkan_core.h:10180
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineVertexInputDivisorStateCreateInfoEXT); -- vulkan_core.h:10176
type VkPhysicalDeviceVertexAttributeDivisorFeaturesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:10184
pNext : System.Address; -- vulkan_core.h:10185
vertexAttributeInstanceRateDivisor : aliased VkBool32; -- vulkan_core.h:10186
vertexAttributeInstanceRateZeroDivisor : aliased VkBool32; -- vulkan_core.h:10187
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceVertexAttributeDivisorFeaturesEXT); -- vulkan_core.h:10183
subtype VkPipelineCreationFeedbackFlagBitsEXT is unsigned;
VK_PIPELINE_CREATION_FEEDBACK_VALID_BIT_EXT : constant VkPipelineCreationFeedbackFlagBitsEXT := 1;
VK_PIPELINE_CREATION_FEEDBACK_APPLICATION_PIPELINE_CACHE_HIT_BIT_EXT : constant VkPipelineCreationFeedbackFlagBitsEXT := 2;
VK_PIPELINE_CREATION_FEEDBACK_BASE_PIPELINE_ACCELERATION_BIT_EXT : constant VkPipelineCreationFeedbackFlagBitsEXT := 4;
VK_PIPELINE_CREATION_FEEDBACK_FLAG_BITS_MAX_ENUM_EXT : constant VkPipelineCreationFeedbackFlagBitsEXT := 2147483647; -- vulkan_core.h:10196
subtype VkPipelineCreationFeedbackFlagsEXT is VkFlags; -- vulkan_core.h:10202
type VkPipelineCreationFeedbackEXT is record
flags : aliased VkPipelineCreationFeedbackFlagsEXT; -- vulkan_core.h:10204
duration : aliased stdint_h.uint64_t; -- vulkan_core.h:10205
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineCreationFeedbackEXT); -- vulkan_core.h:10203
type VkPipelineCreationFeedbackCreateInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:10209
pNext : System.Address; -- vulkan_core.h:10210
pPipelineCreationFeedback : access VkPipelineCreationFeedbackEXT; -- vulkan_core.h:10211
pipelineStageCreationFeedbackCount : aliased stdint_h.uint32_t; -- vulkan_core.h:10212
pPipelineStageCreationFeedbacks : access VkPipelineCreationFeedbackEXT; -- vulkan_core.h:10213
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineCreationFeedbackCreateInfoEXT); -- vulkan_core.h:10208
type VkPhysicalDeviceComputeShaderDerivativesFeaturesNV is record
sType : aliased VkStructureType; -- vulkan_core.h:10227
pNext : System.Address; -- vulkan_core.h:10228
computeDerivativeGroupQuads : aliased VkBool32; -- vulkan_core.h:10229
computeDerivativeGroupLinear : aliased VkBool32; -- vulkan_core.h:10230
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceComputeShaderDerivativesFeaturesNV); -- vulkan_core.h:10226
type VkPhysicalDeviceMeshShaderFeaturesNV is record
sType : aliased VkStructureType; -- vulkan_core.h:10239
pNext : System.Address; -- vulkan_core.h:10240
taskShader : aliased VkBool32; -- vulkan_core.h:10241
meshShader : aliased VkBool32; -- vulkan_core.h:10242
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceMeshShaderFeaturesNV); -- vulkan_core.h:10238
type VkPhysicalDeviceMeshShaderPropertiesNV_maxTaskWorkGroupSize_array is array (0 .. 2) of aliased stdint_h.uint32_t;
type VkPhysicalDeviceMeshShaderPropertiesNV_maxMeshWorkGroupSize_array is array (0 .. 2) of aliased stdint_h.uint32_t;
type VkPhysicalDeviceMeshShaderPropertiesNV is record
sType : aliased VkStructureType; -- vulkan_core.h:10246
pNext : System.Address; -- vulkan_core.h:10247
maxDrawMeshTasksCount : aliased stdint_h.uint32_t; -- vulkan_core.h:10248
maxTaskWorkGroupInvocations : aliased stdint_h.uint32_t; -- vulkan_core.h:10249
maxTaskWorkGroupSize : aliased VkPhysicalDeviceMeshShaderPropertiesNV_maxTaskWorkGroupSize_array; -- vulkan_core.h:10250
maxTaskTotalMemorySize : aliased stdint_h.uint32_t; -- vulkan_core.h:10251
maxTaskOutputCount : aliased stdint_h.uint32_t; -- vulkan_core.h:10252
maxMeshWorkGroupInvocations : aliased stdint_h.uint32_t; -- vulkan_core.h:10253
maxMeshWorkGroupSize : aliased VkPhysicalDeviceMeshShaderPropertiesNV_maxMeshWorkGroupSize_array; -- vulkan_core.h:10254
maxMeshTotalMemorySize : aliased stdint_h.uint32_t; -- vulkan_core.h:10255
maxMeshOutputVertices : aliased stdint_h.uint32_t; -- vulkan_core.h:10256
maxMeshOutputPrimitives : aliased stdint_h.uint32_t; -- vulkan_core.h:10257
maxMeshMultiviewViewCount : aliased stdint_h.uint32_t; -- vulkan_core.h:10258
meshOutputPerVertexGranularity : aliased stdint_h.uint32_t; -- vulkan_core.h:10259
meshOutputPerPrimitiveGranularity : aliased stdint_h.uint32_t; -- vulkan_core.h:10260
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceMeshShaderPropertiesNV); -- vulkan_core.h:10245
type VkDrawMeshTasksIndirectCommandNV is record
taskCount : aliased stdint_h.uint32_t; -- vulkan_core.h:10264
firstTask : aliased stdint_h.uint32_t; -- vulkan_core.h:10265
end record;
pragma Convention (C_Pass_By_Copy, VkDrawMeshTasksIndirectCommandNV); -- vulkan_core.h:10263
type PFN_vkCmdDrawMeshTasksNV is access procedure
(arg1 : VkCommandBuffer;
arg2 : stdint_h.uint32_t;
arg3 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdDrawMeshTasksNV); -- vulkan_core.h:10268
type PFN_vkCmdDrawMeshTasksIndirectNV is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkBuffer;
arg3 : VkDeviceSize;
arg4 : stdint_h.uint32_t;
arg5 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdDrawMeshTasksIndirectNV); -- vulkan_core.h:10269
type PFN_vkCmdDrawMeshTasksIndirectCountNV is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkBuffer;
arg3 : VkDeviceSize;
arg4 : VkBuffer;
arg5 : VkDeviceSize;
arg6 : stdint_h.uint32_t;
arg7 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdDrawMeshTasksIndirectCountNV); -- vulkan_core.h:10270
procedure vkCmdDrawMeshTasksNV
(commandBuffer : VkCommandBuffer;
taskCount : stdint_h.uint32_t;
firstTask : stdint_h.uint32_t); -- vulkan_core.h:10273
pragma Import (C, vkCmdDrawMeshTasksNV, "vkCmdDrawMeshTasksNV");
procedure vkCmdDrawMeshTasksIndirectNV
(commandBuffer : VkCommandBuffer;
buffer : VkBuffer;
offset : VkDeviceSize;
drawCount : stdint_h.uint32_t;
stride : stdint_h.uint32_t); -- vulkan_core.h:10278
pragma Import (C, vkCmdDrawMeshTasksIndirectNV, "vkCmdDrawMeshTasksIndirectNV");
procedure vkCmdDrawMeshTasksIndirectCountNV
(commandBuffer : VkCommandBuffer;
buffer : VkBuffer;
offset : VkDeviceSize;
countBuffer : VkBuffer;
countBufferOffset : VkDeviceSize;
maxDrawCount : stdint_h.uint32_t;
stride : stdint_h.uint32_t); -- vulkan_core.h:10285
pragma Import (C, vkCmdDrawMeshTasksIndirectCountNV, "vkCmdDrawMeshTasksIndirectCountNV");
type VkPhysicalDeviceFragmentShaderBarycentricFeaturesNV is record
sType : aliased VkStructureType; -- vulkan_core.h:10300
pNext : System.Address; -- vulkan_core.h:10301
fragmentShaderBarycentric : aliased VkBool32; -- vulkan_core.h:10302
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceFragmentShaderBarycentricFeaturesNV); -- vulkan_core.h:10299
type VkPhysicalDeviceShaderImageFootprintFeaturesNV is record
sType : aliased VkStructureType; -- vulkan_core.h:10311
pNext : System.Address; -- vulkan_core.h:10312
imageFootprint : aliased VkBool32; -- vulkan_core.h:10313
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceShaderImageFootprintFeaturesNV); -- vulkan_core.h:10310
type VkPipelineViewportExclusiveScissorStateCreateInfoNV is record
sType : aliased VkStructureType; -- vulkan_core.h:10322
pNext : System.Address; -- vulkan_core.h:10323
exclusiveScissorCount : aliased stdint_h.uint32_t; -- vulkan_core.h:10324
pExclusiveScissors : System.Address; -- vulkan_core.h:10325
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineViewportExclusiveScissorStateCreateInfoNV); -- vulkan_core.h:10321
type VkPhysicalDeviceExclusiveScissorFeaturesNV is record
sType : aliased VkStructureType; -- vulkan_core.h:10329
pNext : System.Address; -- vulkan_core.h:10330
exclusiveScissor : aliased VkBool32; -- vulkan_core.h:10331
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceExclusiveScissorFeaturesNV); -- vulkan_core.h:10328
type PFN_vkCmdSetExclusiveScissorNV is access procedure
(arg1 : VkCommandBuffer;
arg2 : stdint_h.uint32_t;
arg3 : stdint_h.uint32_t;
arg4 : System.Address);
pragma Convention (C, PFN_vkCmdSetExclusiveScissorNV); -- vulkan_core.h:10334
procedure vkCmdSetExclusiveScissorNV
(commandBuffer : VkCommandBuffer;
firstExclusiveScissor : stdint_h.uint32_t;
exclusiveScissorCount : stdint_h.uint32_t;
pExclusiveScissors : System.Address); -- vulkan_core.h:10337
pragma Import (C, vkCmdSetExclusiveScissorNV, "vkCmdSetExclusiveScissorNV");
type VkQueueFamilyCheckpointPropertiesNV is record
sType : aliased VkStructureType; -- vulkan_core.h:10349
pNext : System.Address; -- vulkan_core.h:10350
checkpointExecutionStageMask : aliased VkPipelineStageFlags; -- vulkan_core.h:10351
end record;
pragma Convention (C_Pass_By_Copy, VkQueueFamilyCheckpointPropertiesNV); -- vulkan_core.h:10348
type VkCheckpointDataNV is record
sType : aliased VkStructureType; -- vulkan_core.h:10355
pNext : System.Address; -- vulkan_core.h:10356
stage : aliased VkPipelineStageFlagBits; -- vulkan_core.h:10357
pCheckpointMarker : System.Address; -- vulkan_core.h:10358
end record;
pragma Convention (C_Pass_By_Copy, VkCheckpointDataNV); -- vulkan_core.h:10354
type PFN_vkCmdSetCheckpointNV is access procedure (arg1 : VkCommandBuffer; arg2 : System.Address);
pragma Convention (C, PFN_vkCmdSetCheckpointNV); -- vulkan_core.h:10361
type PFN_vkGetQueueCheckpointDataNV is access procedure
(arg1 : VkQueue;
arg2 : access stdint_h.uint32_t;
arg3 : access VkCheckpointDataNV);
pragma Convention (C, PFN_vkGetQueueCheckpointDataNV); -- vulkan_core.h:10362
procedure vkCmdSetCheckpointNV (commandBuffer : VkCommandBuffer; pCheckpointMarker : System.Address); -- vulkan_core.h:10365
pragma Import (C, vkCmdSetCheckpointNV, "vkCmdSetCheckpointNV");
procedure vkGetQueueCheckpointDataNV
(queue : VkQueue;
pCheckpointDataCount : access stdint_h.uint32_t;
pCheckpointData : access VkCheckpointDataNV); -- vulkan_core.h:10369
pragma Import (C, vkGetQueueCheckpointDataNV, "vkGetQueueCheckpointDataNV");
type VkPhysicalDeviceShaderIntegerFunctions2FeaturesINTEL is record
sType : aliased VkStructureType; -- vulkan_core.h:10380
pNext : System.Address; -- vulkan_core.h:10381
shaderIntegerFunctions2 : aliased VkBool32; -- vulkan_core.h:10382
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceShaderIntegerFunctions2FeaturesINTEL); -- vulkan_core.h:10379
type VkPerformanceConfigurationINTEL is new System.Address; -- vulkan_core.h:10388
-- skipped empty struct VkPerformanceConfigurationINTEL_T
subtype VkPerformanceConfigurationTypeINTEL is unsigned;
VK_PERFORMANCE_CONFIGURATION_TYPE_COMMAND_QUEUE_METRICS_DISCOVERY_ACTIVATED_INTEL : constant VkPerformanceConfigurationTypeINTEL := 0;
VK_PERFORMANCE_CONFIGURATION_TYPE_MAX_ENUM_INTEL : constant VkPerformanceConfigurationTypeINTEL := 2147483647; -- vulkan_core.h:10392
subtype VkQueryPoolSamplingModeINTEL is unsigned;
VK_QUERY_POOL_SAMPLING_MODE_MANUAL_INTEL : constant VkQueryPoolSamplingModeINTEL := 0;
VK_QUERY_POOL_SAMPLING_MODE_MAX_ENUM_INTEL : constant VkQueryPoolSamplingModeINTEL := 2147483647; -- vulkan_core.h:10397
subtype VkPerformanceOverrideTypeINTEL is unsigned;
VK_PERFORMANCE_OVERRIDE_TYPE_NULL_HARDWARE_INTEL : constant VkPerformanceOverrideTypeINTEL := 0;
VK_PERFORMANCE_OVERRIDE_TYPE_FLUSH_GPU_CACHES_INTEL : constant VkPerformanceOverrideTypeINTEL := 1;
VK_PERFORMANCE_OVERRIDE_TYPE_MAX_ENUM_INTEL : constant VkPerformanceOverrideTypeINTEL := 2147483647; -- vulkan_core.h:10402
subtype VkPerformanceParameterTypeINTEL is unsigned;
VK_PERFORMANCE_PARAMETER_TYPE_HW_COUNTERS_SUPPORTED_INTEL : constant VkPerformanceParameterTypeINTEL := 0;
VK_PERFORMANCE_PARAMETER_TYPE_STREAM_MARKER_VALID_BITS_INTEL : constant VkPerformanceParameterTypeINTEL := 1;
VK_PERFORMANCE_PARAMETER_TYPE_MAX_ENUM_INTEL : constant VkPerformanceParameterTypeINTEL := 2147483647; -- vulkan_core.h:10408
subtype VkPerformanceValueTypeINTEL is unsigned;
VK_PERFORMANCE_VALUE_TYPE_UINT32_INTEL : constant VkPerformanceValueTypeINTEL := 0;
VK_PERFORMANCE_VALUE_TYPE_UINT64_INTEL : constant VkPerformanceValueTypeINTEL := 1;
VK_PERFORMANCE_VALUE_TYPE_FLOAT_INTEL : constant VkPerformanceValueTypeINTEL := 2;
VK_PERFORMANCE_VALUE_TYPE_BOOL_INTEL : constant VkPerformanceValueTypeINTEL := 3;
VK_PERFORMANCE_VALUE_TYPE_STRING_INTEL : constant VkPerformanceValueTypeINTEL := 4;
VK_PERFORMANCE_VALUE_TYPE_MAX_ENUM_INTEL : constant VkPerformanceValueTypeINTEL := 2147483647; -- vulkan_core.h:10414
type VkPerformanceValueDataINTEL (discr : unsigned := 0) is record
case discr is
when 0 =>
value32 : aliased stdint_h.uint32_t; -- vulkan_core.h:10423
when 1 =>
value64 : aliased stdint_h.uint64_t; -- vulkan_core.h:10424
when 2 =>
valueFloat : aliased float; -- vulkan_core.h:10425
when 3 =>
valueBool : aliased VkBool32; -- vulkan_core.h:10426
when others =>
valueString : Interfaces.C.Strings.chars_ptr; -- vulkan_core.h:10427
end case;
end record;
pragma Convention (C_Pass_By_Copy, VkPerformanceValueDataINTEL);
pragma Unchecked_Union (VkPerformanceValueDataINTEL); -- vulkan_core.h:10422
type VkPerformanceValueINTEL is record
c_type : aliased VkPerformanceValueTypeINTEL; -- vulkan_core.h:10431
data : VkPerformanceValueDataINTEL; -- vulkan_core.h:10432
end record;
pragma Convention (C_Pass_By_Copy, VkPerformanceValueINTEL); -- vulkan_core.h:10430
type VkInitializePerformanceApiInfoINTEL is record
sType : aliased VkStructureType; -- vulkan_core.h:10436
pNext : System.Address; -- vulkan_core.h:10437
pUserData : System.Address; -- vulkan_core.h:10438
end record;
pragma Convention (C_Pass_By_Copy, VkInitializePerformanceApiInfoINTEL); -- vulkan_core.h:10435
type VkQueryPoolPerformanceQueryCreateInfoINTEL is record
sType : aliased VkStructureType; -- vulkan_core.h:10442
pNext : System.Address; -- vulkan_core.h:10443
performanceCountersSampling : aliased VkQueryPoolSamplingModeINTEL; -- vulkan_core.h:10444
end record;
pragma Convention (C_Pass_By_Copy, VkQueryPoolPerformanceQueryCreateInfoINTEL); -- vulkan_core.h:10441
subtype VkQueryPoolCreateInfoINTEL is VkQueryPoolPerformanceQueryCreateInfoINTEL;
type VkPerformanceMarkerInfoINTEL is record
sType : aliased VkStructureType; -- vulkan_core.h:10450
pNext : System.Address; -- vulkan_core.h:10451
marker : aliased stdint_h.uint64_t; -- vulkan_core.h:10452
end record;
pragma Convention (C_Pass_By_Copy, VkPerformanceMarkerInfoINTEL); -- vulkan_core.h:10449
type VkPerformanceStreamMarkerInfoINTEL is record
sType : aliased VkStructureType; -- vulkan_core.h:10456
pNext : System.Address; -- vulkan_core.h:10457
marker : aliased stdint_h.uint32_t; -- vulkan_core.h:10458
end record;
pragma Convention (C_Pass_By_Copy, VkPerformanceStreamMarkerInfoINTEL); -- vulkan_core.h:10455
type VkPerformanceOverrideInfoINTEL is record
sType : aliased VkStructureType; -- vulkan_core.h:10462
pNext : System.Address; -- vulkan_core.h:10463
c_type : aliased VkPerformanceOverrideTypeINTEL; -- vulkan_core.h:10464
enable : aliased VkBool32; -- vulkan_core.h:10465
parameter : aliased stdint_h.uint64_t; -- vulkan_core.h:10466
end record;
pragma Convention (C_Pass_By_Copy, VkPerformanceOverrideInfoINTEL); -- vulkan_core.h:10461
type VkPerformanceConfigurationAcquireInfoINTEL is record
sType : aliased VkStructureType; -- vulkan_core.h:10470
pNext : System.Address; -- vulkan_core.h:10471
c_type : aliased VkPerformanceConfigurationTypeINTEL; -- vulkan_core.h:10472
end record;
pragma Convention (C_Pass_By_Copy, VkPerformanceConfigurationAcquireInfoINTEL); -- vulkan_core.h:10469
type PFN_vkInitializePerformanceApiINTEL is access function (arg1 : VkDevice; arg2 : System.Address) return VkResult;
pragma Convention (C, PFN_vkInitializePerformanceApiINTEL); -- vulkan_core.h:10475
type PFN_vkUninitializePerformanceApiINTEL is access procedure (arg1 : VkDevice);
pragma Convention (C, PFN_vkUninitializePerformanceApiINTEL); -- vulkan_core.h:10476
type PFN_vkCmdSetPerformanceMarkerINTEL is access function (arg1 : VkCommandBuffer; arg2 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCmdSetPerformanceMarkerINTEL); -- vulkan_core.h:10477
type PFN_vkCmdSetPerformanceStreamMarkerINTEL is access function (arg1 : VkCommandBuffer; arg2 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCmdSetPerformanceStreamMarkerINTEL); -- vulkan_core.h:10478
type PFN_vkCmdSetPerformanceOverrideINTEL is access function (arg1 : VkCommandBuffer; arg2 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCmdSetPerformanceOverrideINTEL); -- vulkan_core.h:10479
type PFN_vkAcquirePerformanceConfigurationINTEL is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address) return VkResult;
pragma Convention (C, PFN_vkAcquirePerformanceConfigurationINTEL); -- vulkan_core.h:10480
type PFN_vkReleasePerformanceConfigurationINTEL is access function (arg1 : VkDevice; arg2 : VkPerformanceConfigurationINTEL) return VkResult;
pragma Convention (C, PFN_vkReleasePerformanceConfigurationINTEL); -- vulkan_core.h:10481
type PFN_vkQueueSetPerformanceConfigurationINTEL is access function (arg1 : VkQueue; arg2 : VkPerformanceConfigurationINTEL) return VkResult;
pragma Convention (C, PFN_vkQueueSetPerformanceConfigurationINTEL); -- vulkan_core.h:10482
type PFN_vkGetPerformanceParameterINTEL is access function
(arg1 : VkDevice;
arg2 : VkPerformanceParameterTypeINTEL;
arg3 : access VkPerformanceValueINTEL) return VkResult;
pragma Convention (C, PFN_vkGetPerformanceParameterINTEL); -- vulkan_core.h:10483
function vkInitializePerformanceApiINTEL (device : VkDevice; pInitializeInfo : System.Address) return VkResult; -- vulkan_core.h:10486
pragma Import (C, vkInitializePerformanceApiINTEL, "vkInitializePerformanceApiINTEL");
procedure vkUninitializePerformanceApiINTEL (device : VkDevice); -- vulkan_core.h:10490
pragma Import (C, vkUninitializePerformanceApiINTEL, "vkUninitializePerformanceApiINTEL");
function vkCmdSetPerformanceMarkerINTEL (commandBuffer : VkCommandBuffer; pMarkerInfo : System.Address) return VkResult; -- vulkan_core.h:10493
pragma Import (C, vkCmdSetPerformanceMarkerINTEL, "vkCmdSetPerformanceMarkerINTEL");
function vkCmdSetPerformanceStreamMarkerINTEL (commandBuffer : VkCommandBuffer; pMarkerInfo : System.Address) return VkResult; -- vulkan_core.h:10497
pragma Import (C, vkCmdSetPerformanceStreamMarkerINTEL, "vkCmdSetPerformanceStreamMarkerINTEL");
function vkCmdSetPerformanceOverrideINTEL (commandBuffer : VkCommandBuffer; pOverrideInfo : System.Address) return VkResult; -- vulkan_core.h:10501
pragma Import (C, vkCmdSetPerformanceOverrideINTEL, "vkCmdSetPerformanceOverrideINTEL");
function vkAcquirePerformanceConfigurationINTEL
(device : VkDevice;
pAcquireInfo : System.Address;
pConfiguration : System.Address) return VkResult; -- vulkan_core.h:10505
pragma Import (C, vkAcquirePerformanceConfigurationINTEL, "vkAcquirePerformanceConfigurationINTEL");
function vkReleasePerformanceConfigurationINTEL (device : VkDevice; configuration : VkPerformanceConfigurationINTEL) return VkResult; -- vulkan_core.h:10510
pragma Import (C, vkReleasePerformanceConfigurationINTEL, "vkReleasePerformanceConfigurationINTEL");
function vkQueueSetPerformanceConfigurationINTEL (queue : VkQueue; configuration : VkPerformanceConfigurationINTEL) return VkResult; -- vulkan_core.h:10514
pragma Import (C, vkQueueSetPerformanceConfigurationINTEL, "vkQueueSetPerformanceConfigurationINTEL");
function vkGetPerformanceParameterINTEL
(device : VkDevice;
parameter : VkPerformanceParameterTypeINTEL;
pValue : access VkPerformanceValueINTEL) return VkResult; -- vulkan_core.h:10518
pragma Import (C, vkGetPerformanceParameterINTEL, "vkGetPerformanceParameterINTEL");
type VkPhysicalDevicePCIBusInfoPropertiesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:10529
pNext : System.Address; -- vulkan_core.h:10530
pciDomain : aliased stdint_h.uint32_t; -- vulkan_core.h:10531
pciBus : aliased stdint_h.uint32_t; -- vulkan_core.h:10532
pciDevice : aliased stdint_h.uint32_t; -- vulkan_core.h:10533
pciFunction : aliased stdint_h.uint32_t; -- vulkan_core.h:10534
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDevicePCIBusInfoPropertiesEXT); -- vulkan_core.h:10528
type VkDisplayNativeHdrSurfaceCapabilitiesAMD is record
sType : aliased VkStructureType; -- vulkan_core.h:10543
pNext : System.Address; -- vulkan_core.h:10544
localDimmingSupport : aliased VkBool32; -- vulkan_core.h:10545
end record;
pragma Convention (C_Pass_By_Copy, VkDisplayNativeHdrSurfaceCapabilitiesAMD); -- vulkan_core.h:10542
type VkSwapchainDisplayNativeHdrCreateInfoAMD is record
sType : aliased VkStructureType; -- vulkan_core.h:10549
pNext : System.Address; -- vulkan_core.h:10550
localDimmingEnable : aliased VkBool32; -- vulkan_core.h:10551
end record;
pragma Convention (C_Pass_By_Copy, VkSwapchainDisplayNativeHdrCreateInfoAMD); -- vulkan_core.h:10548
type PFN_vkSetLocalDimmingAMD is access procedure
(arg1 : VkDevice;
arg2 : VkSwapchainKHR;
arg3 : VkBool32);
pragma Convention (C, PFN_vkSetLocalDimmingAMD); -- vulkan_core.h:10554
procedure vkSetLocalDimmingAMD
(device : VkDevice;
swapChain : VkSwapchainKHR;
localDimmingEnable : VkBool32); -- vulkan_core.h:10557
pragma Import (C, vkSetLocalDimmingAMD, "vkSetLocalDimmingAMD");
type VkPhysicalDeviceFragmentDensityMapFeaturesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:10568
pNext : System.Address; -- vulkan_core.h:10569
fragmentDensityMap : aliased VkBool32; -- vulkan_core.h:10570
fragmentDensityMapDynamic : aliased VkBool32; -- vulkan_core.h:10571
fragmentDensityMapNonSubsampledImages : aliased VkBool32; -- vulkan_core.h:10572
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceFragmentDensityMapFeaturesEXT); -- vulkan_core.h:10567
type VkPhysicalDeviceFragmentDensityMapPropertiesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:10576
pNext : System.Address; -- vulkan_core.h:10577
minFragmentDensityTexelSize : aliased VkExtent2D; -- vulkan_core.h:10578
maxFragmentDensityTexelSize : aliased VkExtent2D; -- vulkan_core.h:10579
fragmentDensityInvocations : aliased VkBool32; -- vulkan_core.h:10580
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceFragmentDensityMapPropertiesEXT); -- vulkan_core.h:10575
type VkRenderPassFragmentDensityMapCreateInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:10584
pNext : System.Address; -- vulkan_core.h:10585
fragmentDensityMapAttachment : aliased VkAttachmentReference; -- vulkan_core.h:10586
end record;
pragma Convention (C_Pass_By_Copy, VkRenderPassFragmentDensityMapCreateInfoEXT); -- vulkan_core.h:10583
subtype VkPhysicalDeviceScalarBlockLayoutFeaturesEXT is VkPhysicalDeviceScalarBlockLayoutFeatures;
type VkPhysicalDeviceSubgroupSizeControlFeaturesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:10612
pNext : System.Address; -- vulkan_core.h:10613
subgroupSizeControl : aliased VkBool32; -- vulkan_core.h:10614
computeFullSubgroups : aliased VkBool32; -- vulkan_core.h:10615
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceSubgroupSizeControlFeaturesEXT); -- vulkan_core.h:10611
type VkPhysicalDeviceSubgroupSizeControlPropertiesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:10619
pNext : System.Address; -- vulkan_core.h:10620
minSubgroupSize : aliased stdint_h.uint32_t; -- vulkan_core.h:10621
maxSubgroupSize : aliased stdint_h.uint32_t; -- vulkan_core.h:10622
maxComputeWorkgroupSubgroups : aliased stdint_h.uint32_t; -- vulkan_core.h:10623
requiredSubgroupSizeStages : aliased VkShaderStageFlags; -- vulkan_core.h:10624
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceSubgroupSizeControlPropertiesEXT); -- vulkan_core.h:10618
type VkPipelineShaderStageRequiredSubgroupSizeCreateInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:10628
pNext : System.Address; -- vulkan_core.h:10629
requiredSubgroupSize : aliased stdint_h.uint32_t; -- vulkan_core.h:10630
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineShaderStageRequiredSubgroupSizeCreateInfoEXT); -- vulkan_core.h:10627
subtype VkShaderCorePropertiesFlagBitsAMD is unsigned;
VK_SHADER_CORE_PROPERTIES_FLAG_BITS_MAX_ENUM_AMD : constant VkShaderCorePropertiesFlagBitsAMD := 2147483647; -- vulkan_core.h:10639
subtype VkShaderCorePropertiesFlagsAMD is VkFlags; -- vulkan_core.h:10642
type VkPhysicalDeviceShaderCoreProperties2AMD is record
sType : aliased VkStructureType; -- vulkan_core.h:10644
pNext : System.Address; -- vulkan_core.h:10645
shaderCoreFeatures : aliased VkShaderCorePropertiesFlagsAMD; -- vulkan_core.h:10646
activeComputeUnitCount : aliased stdint_h.uint32_t; -- vulkan_core.h:10647
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceShaderCoreProperties2AMD); -- vulkan_core.h:10643
type VkPhysicalDeviceCoherentMemoryFeaturesAMD is record
sType : aliased VkStructureType; -- vulkan_core.h:10656
pNext : System.Address; -- vulkan_core.h:10657
deviceCoherentMemory : aliased VkBool32; -- vulkan_core.h:10658
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceCoherentMemoryFeaturesAMD); -- vulkan_core.h:10655
type VkPhysicalDeviceShaderImageAtomicInt64FeaturesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:10667
pNext : System.Address; -- vulkan_core.h:10668
shaderImageInt64Atomics : aliased VkBool32; -- vulkan_core.h:10669
sparseImageInt64Atomics : aliased VkBool32; -- vulkan_core.h:10670
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceShaderImageAtomicInt64FeaturesEXT); -- vulkan_core.h:10666
type VkPhysicalDeviceMemoryBudgetPropertiesEXT_heapBudget_array is array (0 .. 15) of aliased VkDeviceSize;
type VkPhysicalDeviceMemoryBudgetPropertiesEXT_heapUsage_array is array (0 .. 15) of aliased VkDeviceSize;
type VkPhysicalDeviceMemoryBudgetPropertiesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:10679
pNext : System.Address; -- vulkan_core.h:10680
heapBudget : aliased VkPhysicalDeviceMemoryBudgetPropertiesEXT_heapBudget_array; -- vulkan_core.h:10681
heapUsage : aliased VkPhysicalDeviceMemoryBudgetPropertiesEXT_heapUsage_array; -- vulkan_core.h:10682
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceMemoryBudgetPropertiesEXT); -- vulkan_core.h:10678
type VkPhysicalDeviceMemoryPriorityFeaturesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:10691
pNext : System.Address; -- vulkan_core.h:10692
memoryPriority : aliased VkBool32; -- vulkan_core.h:10693
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceMemoryPriorityFeaturesEXT); -- vulkan_core.h:10690
type VkMemoryPriorityAllocateInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:10697
pNext : System.Address; -- vulkan_core.h:10698
priority : aliased float; -- vulkan_core.h:10699
end record;
pragma Convention (C_Pass_By_Copy, VkMemoryPriorityAllocateInfoEXT); -- vulkan_core.h:10696
type VkPhysicalDeviceDedicatedAllocationImageAliasingFeaturesNV is record
sType : aliased VkStructureType; -- vulkan_core.h:10708
pNext : System.Address; -- vulkan_core.h:10709
dedicatedAllocationImageAliasing : aliased VkBool32; -- vulkan_core.h:10710
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceDedicatedAllocationImageAliasingFeaturesNV); -- vulkan_core.h:10707
type VkPhysicalDeviceBufferDeviceAddressFeaturesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:10719
pNext : System.Address; -- vulkan_core.h:10720
bufferDeviceAddress : aliased VkBool32; -- vulkan_core.h:10721
bufferDeviceAddressCaptureReplay : aliased VkBool32; -- vulkan_core.h:10722
bufferDeviceAddressMultiDevice : aliased VkBool32; -- vulkan_core.h:10723
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceBufferDeviceAddressFeaturesEXT); -- vulkan_core.h:10718
subtype VkPhysicalDeviceBufferAddressFeaturesEXT is VkPhysicalDeviceBufferDeviceAddressFeaturesEXT;
subtype VkBufferDeviceAddressInfoEXT is VkBufferDeviceAddressInfo;
type VkBufferDeviceAddressCreateInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:10731
pNext : System.Address; -- vulkan_core.h:10732
deviceAddress : aliased VkDeviceAddress; -- vulkan_core.h:10733
end record;
pragma Convention (C_Pass_By_Copy, VkBufferDeviceAddressCreateInfoEXT); -- vulkan_core.h:10730
type PFN_vkGetBufferDeviceAddressEXT is access function (arg1 : VkDevice; arg2 : System.Address) return VkDeviceAddress;
pragma Convention (C, PFN_vkGetBufferDeviceAddressEXT); -- vulkan_core.h:10736
function vkGetBufferDeviceAddressEXT (device : VkDevice; pInfo : System.Address) return VkDeviceAddress; -- vulkan_core.h:10739
pragma Import (C, vkGetBufferDeviceAddressEXT, "vkGetBufferDeviceAddressEXT");
subtype VkToolPurposeFlagBitsEXT is unsigned;
VK_TOOL_PURPOSE_VALIDATION_BIT_EXT : constant VkToolPurposeFlagBitsEXT := 1;
VK_TOOL_PURPOSE_PROFILING_BIT_EXT : constant VkToolPurposeFlagBitsEXT := 2;
VK_TOOL_PURPOSE_TRACING_BIT_EXT : constant VkToolPurposeFlagBitsEXT := 4;
VK_TOOL_PURPOSE_ADDITIONAL_FEATURES_BIT_EXT : constant VkToolPurposeFlagBitsEXT := 8;
VK_TOOL_PURPOSE_MODIFYING_FEATURES_BIT_EXT : constant VkToolPurposeFlagBitsEXT := 16;
VK_TOOL_PURPOSE_DEBUG_REPORTING_BIT_EXT : constant VkToolPurposeFlagBitsEXT := 32;
VK_TOOL_PURPOSE_DEBUG_MARKERS_BIT_EXT : constant VkToolPurposeFlagBitsEXT := 64;
VK_TOOL_PURPOSE_FLAG_BITS_MAX_ENUM_EXT : constant VkToolPurposeFlagBitsEXT := 2147483647; -- vulkan_core.h:10749
subtype VkToolPurposeFlagsEXT is VkFlags; -- vulkan_core.h:10759
subtype VkPhysicalDeviceToolPropertiesEXT_name_array is Interfaces.C.char_array (0 .. 255);
subtype VkPhysicalDeviceToolPropertiesEXT_version_array is Interfaces.C.char_array (0 .. 255);
subtype VkPhysicalDeviceToolPropertiesEXT_description_array is Interfaces.C.char_array (0 .. 255);
subtype VkPhysicalDeviceToolPropertiesEXT_layer_array is Interfaces.C.char_array (0 .. 255);
type VkPhysicalDeviceToolPropertiesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:10761
pNext : System.Address; -- vulkan_core.h:10762
name : aliased VkPhysicalDeviceToolPropertiesEXT_name_array; -- vulkan_core.h:10763
version : aliased VkPhysicalDeviceToolPropertiesEXT_version_array; -- vulkan_core.h:10764
purposes : aliased VkToolPurposeFlagsEXT; -- vulkan_core.h:10765
description : aliased VkPhysicalDeviceToolPropertiesEXT_description_array; -- vulkan_core.h:10766
layer : aliased VkPhysicalDeviceToolPropertiesEXT_layer_array; -- vulkan_core.h:10767
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceToolPropertiesEXT); -- vulkan_core.h:10760
type PFN_vkGetPhysicalDeviceToolPropertiesEXT is access function
(arg1 : VkPhysicalDevice;
arg2 : access stdint_h.uint32_t;
arg3 : access VkPhysicalDeviceToolPropertiesEXT) return VkResult;
pragma Convention (C, PFN_vkGetPhysicalDeviceToolPropertiesEXT); -- vulkan_core.h:10770
function vkGetPhysicalDeviceToolPropertiesEXT
(physicalDevice : VkPhysicalDevice;
pToolCount : access stdint_h.uint32_t;
pToolProperties : access VkPhysicalDeviceToolPropertiesEXT) return VkResult; -- vulkan_core.h:10773
pragma Import (C, vkGetPhysicalDeviceToolPropertiesEXT, "vkGetPhysicalDeviceToolPropertiesEXT");
subtype VkImageStencilUsageCreateInfoEXT is VkImageStencilUsageCreateInfo;
subtype VkValidationFeatureEnableEXT is unsigned;
VK_VALIDATION_FEATURE_ENABLE_GPU_ASSISTED_EXT : constant VkValidationFeatureEnableEXT := 0;
VK_VALIDATION_FEATURE_ENABLE_GPU_ASSISTED_RESERVE_BINDING_SLOT_EXT : constant VkValidationFeatureEnableEXT := 1;
VK_VALIDATION_FEATURE_ENABLE_BEST_PRACTICES_EXT : constant VkValidationFeatureEnableEXT := 2;
VK_VALIDATION_FEATURE_ENABLE_DEBUG_PRINTF_EXT : constant VkValidationFeatureEnableEXT := 3;
VK_VALIDATION_FEATURE_ENABLE_SYNCHRONIZATION_VALIDATION_EXT : constant VkValidationFeatureEnableEXT := 4;
VK_VALIDATION_FEATURE_ENABLE_MAX_ENUM_EXT : constant VkValidationFeatureEnableEXT := 2147483647; -- vulkan_core.h:10791
subtype VkValidationFeatureDisableEXT is unsigned;
VK_VALIDATION_FEATURE_DISABLE_ALL_EXT : constant VkValidationFeatureDisableEXT := 0;
VK_VALIDATION_FEATURE_DISABLE_SHADERS_EXT : constant VkValidationFeatureDisableEXT := 1;
VK_VALIDATION_FEATURE_DISABLE_THREAD_SAFETY_EXT : constant VkValidationFeatureDisableEXT := 2;
VK_VALIDATION_FEATURE_DISABLE_API_PARAMETERS_EXT : constant VkValidationFeatureDisableEXT := 3;
VK_VALIDATION_FEATURE_DISABLE_OBJECT_LIFETIMES_EXT : constant VkValidationFeatureDisableEXT := 4;
VK_VALIDATION_FEATURE_DISABLE_CORE_CHECKS_EXT : constant VkValidationFeatureDisableEXT := 5;
VK_VALIDATION_FEATURE_DISABLE_UNIQUE_HANDLES_EXT : constant VkValidationFeatureDisableEXT := 6;
VK_VALIDATION_FEATURE_DISABLE_MAX_ENUM_EXT : constant VkValidationFeatureDisableEXT := 2147483647; -- vulkan_core.h:10800
type VkValidationFeaturesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:10811
pNext : System.Address; -- vulkan_core.h:10812
enabledValidationFeatureCount : aliased stdint_h.uint32_t; -- vulkan_core.h:10813
pEnabledValidationFeatures : System.Address; -- vulkan_core.h:10814
disabledValidationFeatureCount : aliased stdint_h.uint32_t; -- vulkan_core.h:10815
pDisabledValidationFeatures : System.Address; -- vulkan_core.h:10816
end record;
pragma Convention (C_Pass_By_Copy, VkValidationFeaturesEXT); -- vulkan_core.h:10810
subtype VkComponentTypeNV is unsigned;
VK_COMPONENT_TYPE_FLOAT16_NV : constant VkComponentTypeNV := 0;
VK_COMPONENT_TYPE_FLOAT32_NV : constant VkComponentTypeNV := 1;
VK_COMPONENT_TYPE_FLOAT64_NV : constant VkComponentTypeNV := 2;
VK_COMPONENT_TYPE_SINT8_NV : constant VkComponentTypeNV := 3;
VK_COMPONENT_TYPE_SINT16_NV : constant VkComponentTypeNV := 4;
VK_COMPONENT_TYPE_SINT32_NV : constant VkComponentTypeNV := 5;
VK_COMPONENT_TYPE_SINT64_NV : constant VkComponentTypeNV := 6;
VK_COMPONENT_TYPE_UINT8_NV : constant VkComponentTypeNV := 7;
VK_COMPONENT_TYPE_UINT16_NV : constant VkComponentTypeNV := 8;
VK_COMPONENT_TYPE_UINT32_NV : constant VkComponentTypeNV := 9;
VK_COMPONENT_TYPE_UINT64_NV : constant VkComponentTypeNV := 10;
VK_COMPONENT_TYPE_MAX_ENUM_NV : constant VkComponentTypeNV := 2147483647; -- vulkan_core.h:10825
subtype VkScopeNV is unsigned;
VK_SCOPE_DEVICE_NV : constant VkScopeNV := 1;
VK_SCOPE_WORKGROUP_NV : constant VkScopeNV := 2;
VK_SCOPE_SUBGROUP_NV : constant VkScopeNV := 3;
VK_SCOPE_QUEUE_FAMILY_NV : constant VkScopeNV := 5;
VK_SCOPE_MAX_ENUM_NV : constant VkScopeNV := 2147483647; -- vulkan_core.h:10840
type VkCooperativeMatrixPropertiesNV is record
sType : aliased VkStructureType; -- vulkan_core.h:10848
pNext : System.Address; -- vulkan_core.h:10849
MSize : aliased stdint_h.uint32_t; -- vulkan_core.h:10850
NSize : aliased stdint_h.uint32_t; -- vulkan_core.h:10851
KSize : aliased stdint_h.uint32_t; -- vulkan_core.h:10852
AType : aliased VkComponentTypeNV; -- vulkan_core.h:10853
BType : aliased VkComponentTypeNV; -- vulkan_core.h:10854
CType : aliased VkComponentTypeNV; -- vulkan_core.h:10855
DType : aliased VkComponentTypeNV; -- vulkan_core.h:10856
scope : aliased VkScopeNV; -- vulkan_core.h:10857
end record;
pragma Convention (C_Pass_By_Copy, VkCooperativeMatrixPropertiesNV); -- vulkan_core.h:10847
type VkPhysicalDeviceCooperativeMatrixFeaturesNV is record
sType : aliased VkStructureType; -- vulkan_core.h:10861
pNext : System.Address; -- vulkan_core.h:10862
cooperativeMatrix : aliased VkBool32; -- vulkan_core.h:10863
cooperativeMatrixRobustBufferAccess : aliased VkBool32; -- vulkan_core.h:10864
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceCooperativeMatrixFeaturesNV); -- vulkan_core.h:10860
type VkPhysicalDeviceCooperativeMatrixPropertiesNV is record
sType : aliased VkStructureType; -- vulkan_core.h:10868
pNext : System.Address; -- vulkan_core.h:10869
cooperativeMatrixSupportedStages : aliased VkShaderStageFlags; -- vulkan_core.h:10870
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceCooperativeMatrixPropertiesNV); -- vulkan_core.h:10867
type PFN_vkGetPhysicalDeviceCooperativeMatrixPropertiesNV is access function
(arg1 : VkPhysicalDevice;
arg2 : access stdint_h.uint32_t;
arg3 : access VkCooperativeMatrixPropertiesNV) return VkResult;
pragma Convention (C, PFN_vkGetPhysicalDeviceCooperativeMatrixPropertiesNV); -- vulkan_core.h:10873
function vkGetPhysicalDeviceCooperativeMatrixPropertiesNV
(physicalDevice : VkPhysicalDevice;
pPropertyCount : access stdint_h.uint32_t;
pProperties : access VkCooperativeMatrixPropertiesNV) return VkResult; -- vulkan_core.h:10876
pragma Import (C, vkGetPhysicalDeviceCooperativeMatrixPropertiesNV, "vkGetPhysicalDeviceCooperativeMatrixPropertiesNV");
subtype VkCoverageReductionModeNV is unsigned;
VK_COVERAGE_REDUCTION_MODE_MERGE_NV : constant VkCoverageReductionModeNV := 0;
VK_COVERAGE_REDUCTION_MODE_TRUNCATE_NV : constant VkCoverageReductionModeNV := 1;
VK_COVERAGE_REDUCTION_MODE_MAX_ENUM_NV : constant VkCoverageReductionModeNV := 2147483647; -- vulkan_core.h:10887
subtype VkPipelineCoverageReductionStateCreateFlagsNV is VkFlags; -- vulkan_core.h:10892
type VkPhysicalDeviceCoverageReductionModeFeaturesNV is record
sType : aliased VkStructureType; -- vulkan_core.h:10894
pNext : System.Address; -- vulkan_core.h:10895
coverageReductionMode : aliased VkBool32; -- vulkan_core.h:10896
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceCoverageReductionModeFeaturesNV); -- vulkan_core.h:10893
type VkPipelineCoverageReductionStateCreateInfoNV is record
sType : aliased VkStructureType; -- vulkan_core.h:10900
pNext : System.Address; -- vulkan_core.h:10901
flags : aliased VkPipelineCoverageReductionStateCreateFlagsNV; -- vulkan_core.h:10902
coverageReductionMode : aliased VkCoverageReductionModeNV; -- vulkan_core.h:10903
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineCoverageReductionStateCreateInfoNV); -- vulkan_core.h:10899
type VkFramebufferMixedSamplesCombinationNV is record
sType : aliased VkStructureType; -- vulkan_core.h:10907
pNext : System.Address; -- vulkan_core.h:10908
coverageReductionMode : aliased VkCoverageReductionModeNV; -- vulkan_core.h:10909
rasterizationSamples : aliased VkSampleCountFlagBits; -- vulkan_core.h:10910
depthStencilSamples : aliased VkSampleCountFlags; -- vulkan_core.h:10911
colorSamples : aliased VkSampleCountFlags; -- vulkan_core.h:10912
end record;
pragma Convention (C_Pass_By_Copy, VkFramebufferMixedSamplesCombinationNV); -- vulkan_core.h:10906
type PFN_vkGetPhysicalDeviceSupportedFramebufferMixedSamplesCombinationsNV is access function
(arg1 : VkPhysicalDevice;
arg2 : access stdint_h.uint32_t;
arg3 : access VkFramebufferMixedSamplesCombinationNV) return VkResult;
pragma Convention (C, PFN_vkGetPhysicalDeviceSupportedFramebufferMixedSamplesCombinationsNV); -- vulkan_core.h:10915
function vkGetPhysicalDeviceSupportedFramebufferMixedSamplesCombinationsNV
(physicalDevice : VkPhysicalDevice;
pCombinationCount : access stdint_h.uint32_t;
pCombinations : access VkFramebufferMixedSamplesCombinationNV) return VkResult; -- vulkan_core.h:10918
pragma Import (C, vkGetPhysicalDeviceSupportedFramebufferMixedSamplesCombinationsNV, "vkGetPhysicalDeviceSupportedFramebufferMixedSamplesCombinationsNV");
type VkPhysicalDeviceFragmentShaderInterlockFeaturesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:10929
pNext : System.Address; -- vulkan_core.h:10930
fragmentShaderSampleInterlock : aliased VkBool32; -- vulkan_core.h:10931
fragmentShaderPixelInterlock : aliased VkBool32; -- vulkan_core.h:10932
fragmentShaderShadingRateInterlock : aliased VkBool32; -- vulkan_core.h:10933
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceFragmentShaderInterlockFeaturesEXT); -- vulkan_core.h:10928
type VkPhysicalDeviceYcbcrImageArraysFeaturesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:10942
pNext : System.Address; -- vulkan_core.h:10943
ycbcrImageArrays : aliased VkBool32; -- vulkan_core.h:10944
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceYcbcrImageArraysFeaturesEXT); -- vulkan_core.h:10941
subtype VkHeadlessSurfaceCreateFlagsEXT is VkFlags; -- vulkan_core.h:10952
type VkHeadlessSurfaceCreateInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:10954
pNext : System.Address; -- vulkan_core.h:10955
flags : aliased VkHeadlessSurfaceCreateFlagsEXT; -- vulkan_core.h:10956
end record;
pragma Convention (C_Pass_By_Copy, VkHeadlessSurfaceCreateInfoEXT); -- vulkan_core.h:10953
type PFN_vkCreateHeadlessSurfaceEXT is access function
(arg1 : VkInstance;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateHeadlessSurfaceEXT); -- vulkan_core.h:10959
function vkCreateHeadlessSurfaceEXT
(instance : VkInstance;
pCreateInfo : System.Address;
pAllocator : System.Address;
pSurface : System.Address) return VkResult; -- vulkan_core.h:10962
pragma Import (C, vkCreateHeadlessSurfaceEXT, "vkCreateHeadlessSurfaceEXT");
subtype VkLineRasterizationModeEXT is unsigned;
VK_LINE_RASTERIZATION_MODE_DEFAULT_EXT : constant VkLineRasterizationModeEXT := 0;
VK_LINE_RASTERIZATION_MODE_RECTANGULAR_EXT : constant VkLineRasterizationModeEXT := 1;
VK_LINE_RASTERIZATION_MODE_BRESENHAM_EXT : constant VkLineRasterizationModeEXT := 2;
VK_LINE_RASTERIZATION_MODE_RECTANGULAR_SMOOTH_EXT : constant VkLineRasterizationModeEXT := 3;
VK_LINE_RASTERIZATION_MODE_MAX_ENUM_EXT : constant VkLineRasterizationModeEXT := 2147483647; -- vulkan_core.h:10974
type VkPhysicalDeviceLineRasterizationFeaturesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:10982
pNext : System.Address; -- vulkan_core.h:10983
rectangularLines : aliased VkBool32; -- vulkan_core.h:10984
bresenhamLines : aliased VkBool32; -- vulkan_core.h:10985
smoothLines : aliased VkBool32; -- vulkan_core.h:10986
stippledRectangularLines : aliased VkBool32; -- vulkan_core.h:10987
stippledBresenhamLines : aliased VkBool32; -- vulkan_core.h:10988
stippledSmoothLines : aliased VkBool32; -- vulkan_core.h:10989
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceLineRasterizationFeaturesEXT); -- vulkan_core.h:10981
type VkPhysicalDeviceLineRasterizationPropertiesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:10993
pNext : System.Address; -- vulkan_core.h:10994
lineSubPixelPrecisionBits : aliased stdint_h.uint32_t; -- vulkan_core.h:10995
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceLineRasterizationPropertiesEXT); -- vulkan_core.h:10992
type VkPipelineRasterizationLineStateCreateInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:10999
pNext : System.Address; -- vulkan_core.h:11000
lineRasterizationMode : aliased VkLineRasterizationModeEXT; -- vulkan_core.h:11001
stippledLineEnable : aliased VkBool32; -- vulkan_core.h:11002
lineStippleFactor : aliased stdint_h.uint32_t; -- vulkan_core.h:11003
lineStipplePattern : aliased stdint_h.uint16_t; -- vulkan_core.h:11004
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineRasterizationLineStateCreateInfoEXT); -- vulkan_core.h:10998
type PFN_vkCmdSetLineStippleEXT is access procedure
(arg1 : VkCommandBuffer;
arg2 : stdint_h.uint32_t;
arg3 : stdint_h.uint16_t);
pragma Convention (C, PFN_vkCmdSetLineStippleEXT); -- vulkan_core.h:11007
procedure vkCmdSetLineStippleEXT
(commandBuffer : VkCommandBuffer;
lineStippleFactor : stdint_h.uint32_t;
lineStipplePattern : stdint_h.uint16_t); -- vulkan_core.h:11010
pragma Import (C, vkCmdSetLineStippleEXT, "vkCmdSetLineStippleEXT");
type VkPhysicalDeviceShaderAtomicFloatFeaturesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:11021
pNext : System.Address; -- vulkan_core.h:11022
shaderBufferFloat32Atomics : aliased VkBool32; -- vulkan_core.h:11023
shaderBufferFloat32AtomicAdd : aliased VkBool32; -- vulkan_core.h:11024
shaderBufferFloat64Atomics : aliased VkBool32; -- vulkan_core.h:11025
shaderBufferFloat64AtomicAdd : aliased VkBool32; -- vulkan_core.h:11026
shaderSharedFloat32Atomics : aliased VkBool32; -- vulkan_core.h:11027
shaderSharedFloat32AtomicAdd : aliased VkBool32; -- vulkan_core.h:11028
shaderSharedFloat64Atomics : aliased VkBool32; -- vulkan_core.h:11029
shaderSharedFloat64AtomicAdd : aliased VkBool32; -- vulkan_core.h:11030
shaderImageFloat32Atomics : aliased VkBool32; -- vulkan_core.h:11031
shaderImageFloat32AtomicAdd : aliased VkBool32; -- vulkan_core.h:11032
sparseImageFloat32Atomics : aliased VkBool32; -- vulkan_core.h:11033
sparseImageFloat32AtomicAdd : aliased VkBool32; -- vulkan_core.h:11034
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceShaderAtomicFloatFeaturesEXT); -- vulkan_core.h:11020
subtype VkPhysicalDeviceHostQueryResetFeaturesEXT is VkPhysicalDeviceHostQueryResetFeatures;
type PFN_vkResetQueryPoolEXT is access procedure
(arg1 : VkDevice;
arg2 : VkQueryPool;
arg3 : stdint_h.uint32_t;
arg4 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkResetQueryPoolEXT); -- vulkan_core.h:11044
procedure vkResetQueryPoolEXT
(device : VkDevice;
queryPool : VkQueryPool;
firstQuery : stdint_h.uint32_t;
queryCount : stdint_h.uint32_t); -- vulkan_core.h:11047
pragma Import (C, vkResetQueryPoolEXT, "vkResetQueryPoolEXT");
type VkPhysicalDeviceIndexTypeUint8FeaturesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:11059
pNext : System.Address; -- vulkan_core.h:11060
indexTypeUint8 : aliased VkBool32; -- vulkan_core.h:11061
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceIndexTypeUint8FeaturesEXT); -- vulkan_core.h:11058
type VkPhysicalDeviceExtendedDynamicStateFeaturesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:11070
pNext : System.Address; -- vulkan_core.h:11071
extendedDynamicState : aliased VkBool32; -- vulkan_core.h:11072
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceExtendedDynamicStateFeaturesEXT); -- vulkan_core.h:11069
type PFN_vkCmdSetCullModeEXT is access procedure (arg1 : VkCommandBuffer; arg2 : VkCullModeFlags);
pragma Convention (C, PFN_vkCmdSetCullModeEXT); -- vulkan_core.h:11075
type PFN_vkCmdSetFrontFaceEXT is access procedure (arg1 : VkCommandBuffer; arg2 : VkFrontFace);
pragma Convention (C, PFN_vkCmdSetFrontFaceEXT); -- vulkan_core.h:11076
type PFN_vkCmdSetPrimitiveTopologyEXT is access procedure (arg1 : VkCommandBuffer; arg2 : VkPrimitiveTopology);
pragma Convention (C, PFN_vkCmdSetPrimitiveTopologyEXT); -- vulkan_core.h:11077
type PFN_vkCmdSetViewportWithCountEXT is access procedure
(arg1 : VkCommandBuffer;
arg2 : stdint_h.uint32_t;
arg3 : System.Address);
pragma Convention (C, PFN_vkCmdSetViewportWithCountEXT); -- vulkan_core.h:11078
type PFN_vkCmdSetScissorWithCountEXT is access procedure
(arg1 : VkCommandBuffer;
arg2 : stdint_h.uint32_t;
arg3 : System.Address);
pragma Convention (C, PFN_vkCmdSetScissorWithCountEXT); -- vulkan_core.h:11079
type PFN_vkCmdBindVertexBuffers2EXT is access procedure
(arg1 : VkCommandBuffer;
arg2 : stdint_h.uint32_t;
arg3 : stdint_h.uint32_t;
arg4 : System.Address;
arg5 : access VkDeviceSize;
arg6 : access VkDeviceSize;
arg7 : access VkDeviceSize);
pragma Convention (C, PFN_vkCmdBindVertexBuffers2EXT); -- vulkan_core.h:11080
type PFN_vkCmdSetDepthTestEnableEXT is access procedure (arg1 : VkCommandBuffer; arg2 : VkBool32);
pragma Convention (C, PFN_vkCmdSetDepthTestEnableEXT); -- vulkan_core.h:11081
type PFN_vkCmdSetDepthWriteEnableEXT is access procedure (arg1 : VkCommandBuffer; arg2 : VkBool32);
pragma Convention (C, PFN_vkCmdSetDepthWriteEnableEXT); -- vulkan_core.h:11082
type PFN_vkCmdSetDepthCompareOpEXT is access procedure (arg1 : VkCommandBuffer; arg2 : VkCompareOp);
pragma Convention (C, PFN_vkCmdSetDepthCompareOpEXT); -- vulkan_core.h:11083
type PFN_vkCmdSetDepthBoundsTestEnableEXT is access procedure (arg1 : VkCommandBuffer; arg2 : VkBool32);
pragma Convention (C, PFN_vkCmdSetDepthBoundsTestEnableEXT); -- vulkan_core.h:11084
type PFN_vkCmdSetStencilTestEnableEXT is access procedure (arg1 : VkCommandBuffer; arg2 : VkBool32);
pragma Convention (C, PFN_vkCmdSetStencilTestEnableEXT); -- vulkan_core.h:11085
type PFN_vkCmdSetStencilOpEXT is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkStencilFaceFlags;
arg3 : VkStencilOp;
arg4 : VkStencilOp;
arg5 : VkStencilOp;
arg6 : VkCompareOp);
pragma Convention (C, PFN_vkCmdSetStencilOpEXT); -- vulkan_core.h:11086
procedure vkCmdSetCullModeEXT (commandBuffer : VkCommandBuffer; cullMode : VkCullModeFlags); -- vulkan_core.h:11089
pragma Import (C, vkCmdSetCullModeEXT, "vkCmdSetCullModeEXT");
procedure vkCmdSetFrontFaceEXT (commandBuffer : VkCommandBuffer; frontFace : VkFrontFace); -- vulkan_core.h:11093
pragma Import (C, vkCmdSetFrontFaceEXT, "vkCmdSetFrontFaceEXT");
procedure vkCmdSetPrimitiveTopologyEXT (commandBuffer : VkCommandBuffer; primitiveTopology : VkPrimitiveTopology); -- vulkan_core.h:11097
pragma Import (C, vkCmdSetPrimitiveTopologyEXT, "vkCmdSetPrimitiveTopologyEXT");
procedure vkCmdSetViewportWithCountEXT
(commandBuffer : VkCommandBuffer;
viewportCount : stdint_h.uint32_t;
pViewports : System.Address); -- vulkan_core.h:11101
pragma Import (C, vkCmdSetViewportWithCountEXT, "vkCmdSetViewportWithCountEXT");
procedure vkCmdSetScissorWithCountEXT
(commandBuffer : VkCommandBuffer;
scissorCount : stdint_h.uint32_t;
pScissors : System.Address); -- vulkan_core.h:11106
pragma Import (C, vkCmdSetScissorWithCountEXT, "vkCmdSetScissorWithCountEXT");
procedure vkCmdBindVertexBuffers2EXT
(commandBuffer : VkCommandBuffer;
firstBinding : stdint_h.uint32_t;
bindingCount : stdint_h.uint32_t;
pBuffers : System.Address;
pOffsets : access VkDeviceSize;
pSizes : access VkDeviceSize;
pStrides : access VkDeviceSize); -- vulkan_core.h:11111
pragma Import (C, vkCmdBindVertexBuffers2EXT, "vkCmdBindVertexBuffers2EXT");
procedure vkCmdSetDepthTestEnableEXT (commandBuffer : VkCommandBuffer; depthTestEnable : VkBool32); -- vulkan_core.h:11120
pragma Import (C, vkCmdSetDepthTestEnableEXT, "vkCmdSetDepthTestEnableEXT");
procedure vkCmdSetDepthWriteEnableEXT (commandBuffer : VkCommandBuffer; depthWriteEnable : VkBool32); -- vulkan_core.h:11124
pragma Import (C, vkCmdSetDepthWriteEnableEXT, "vkCmdSetDepthWriteEnableEXT");
procedure vkCmdSetDepthCompareOpEXT (commandBuffer : VkCommandBuffer; depthCompareOp : VkCompareOp); -- vulkan_core.h:11128
pragma Import (C, vkCmdSetDepthCompareOpEXT, "vkCmdSetDepthCompareOpEXT");
procedure vkCmdSetDepthBoundsTestEnableEXT (commandBuffer : VkCommandBuffer; depthBoundsTestEnable : VkBool32); -- vulkan_core.h:11132
pragma Import (C, vkCmdSetDepthBoundsTestEnableEXT, "vkCmdSetDepthBoundsTestEnableEXT");
procedure vkCmdSetStencilTestEnableEXT (commandBuffer : VkCommandBuffer; stencilTestEnable : VkBool32); -- vulkan_core.h:11136
pragma Import (C, vkCmdSetStencilTestEnableEXT, "vkCmdSetStencilTestEnableEXT");
procedure vkCmdSetStencilOpEXT
(commandBuffer : VkCommandBuffer;
faceMask : VkStencilFaceFlags;
failOp : VkStencilOp;
passOp : VkStencilOp;
depthFailOp : VkStencilOp;
compareOp : VkCompareOp); -- vulkan_core.h:11140
pragma Import (C, vkCmdSetStencilOpEXT, "vkCmdSetStencilOpEXT");
type VkPhysicalDeviceShaderDemoteToHelperInvocationFeaturesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:11154
pNext : System.Address; -- vulkan_core.h:11155
shaderDemoteToHelperInvocation : aliased VkBool32; -- vulkan_core.h:11156
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceShaderDemoteToHelperInvocationFeaturesEXT); -- vulkan_core.h:11153
type VkIndirectCommandsLayoutNV is new System.Address; -- vulkan_core.h:11162
-- skipped empty struct VkIndirectCommandsLayoutNV_T
subtype VkIndirectCommandsTokenTypeNV is unsigned;
VK_INDIRECT_COMMANDS_TOKEN_TYPE_SHADER_GROUP_NV : constant VkIndirectCommandsTokenTypeNV := 0;
VK_INDIRECT_COMMANDS_TOKEN_TYPE_STATE_FLAGS_NV : constant VkIndirectCommandsTokenTypeNV := 1;
VK_INDIRECT_COMMANDS_TOKEN_TYPE_INDEX_BUFFER_NV : constant VkIndirectCommandsTokenTypeNV := 2;
VK_INDIRECT_COMMANDS_TOKEN_TYPE_VERTEX_BUFFER_NV : constant VkIndirectCommandsTokenTypeNV := 3;
VK_INDIRECT_COMMANDS_TOKEN_TYPE_PUSH_CONSTANT_NV : constant VkIndirectCommandsTokenTypeNV := 4;
VK_INDIRECT_COMMANDS_TOKEN_TYPE_DRAW_INDEXED_NV : constant VkIndirectCommandsTokenTypeNV := 5;
VK_INDIRECT_COMMANDS_TOKEN_TYPE_DRAW_NV : constant VkIndirectCommandsTokenTypeNV := 6;
VK_INDIRECT_COMMANDS_TOKEN_TYPE_DRAW_TASKS_NV : constant VkIndirectCommandsTokenTypeNV := 7;
VK_INDIRECT_COMMANDS_TOKEN_TYPE_MAX_ENUM_NV : constant VkIndirectCommandsTokenTypeNV := 2147483647; -- vulkan_core.h:11166
subtype VkIndirectStateFlagBitsNV is unsigned;
VK_INDIRECT_STATE_FLAG_FRONTFACE_BIT_NV : constant VkIndirectStateFlagBitsNV := 1;
VK_INDIRECT_STATE_FLAG_BITS_MAX_ENUM_NV : constant VkIndirectStateFlagBitsNV := 2147483647; -- vulkan_core.h:11178
subtype VkIndirectStateFlagsNV is VkFlags; -- vulkan_core.h:11182
subtype VkIndirectCommandsLayoutUsageFlagBitsNV is unsigned;
VK_INDIRECT_COMMANDS_LAYOUT_USAGE_EXPLICIT_PREPROCESS_BIT_NV : constant VkIndirectCommandsLayoutUsageFlagBitsNV := 1;
VK_INDIRECT_COMMANDS_LAYOUT_USAGE_INDEXED_SEQUENCES_BIT_NV : constant VkIndirectCommandsLayoutUsageFlagBitsNV := 2;
VK_INDIRECT_COMMANDS_LAYOUT_USAGE_UNORDERED_SEQUENCES_BIT_NV : constant VkIndirectCommandsLayoutUsageFlagBitsNV := 4;
VK_INDIRECT_COMMANDS_LAYOUT_USAGE_FLAG_BITS_MAX_ENUM_NV : constant VkIndirectCommandsLayoutUsageFlagBitsNV := 2147483647; -- vulkan_core.h:11184
subtype VkIndirectCommandsLayoutUsageFlagsNV is VkFlags; -- vulkan_core.h:11190
type VkPhysicalDeviceDeviceGeneratedCommandsPropertiesNV is record
sType : aliased VkStructureType; -- vulkan_core.h:11192
pNext : System.Address; -- vulkan_core.h:11193
maxGraphicsShaderGroupCount : aliased stdint_h.uint32_t; -- vulkan_core.h:11194
maxIndirectSequenceCount : aliased stdint_h.uint32_t; -- vulkan_core.h:11195
maxIndirectCommandsTokenCount : aliased stdint_h.uint32_t; -- vulkan_core.h:11196
maxIndirectCommandsStreamCount : aliased stdint_h.uint32_t; -- vulkan_core.h:11197
maxIndirectCommandsTokenOffset : aliased stdint_h.uint32_t; -- vulkan_core.h:11198
maxIndirectCommandsStreamStride : aliased stdint_h.uint32_t; -- vulkan_core.h:11199
minSequencesCountBufferOffsetAlignment : aliased stdint_h.uint32_t; -- vulkan_core.h:11200
minSequencesIndexBufferOffsetAlignment : aliased stdint_h.uint32_t; -- vulkan_core.h:11201
minIndirectCommandsBufferOffsetAlignment : aliased stdint_h.uint32_t; -- vulkan_core.h:11202
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceDeviceGeneratedCommandsPropertiesNV); -- vulkan_core.h:11191
type VkPhysicalDeviceDeviceGeneratedCommandsFeaturesNV is record
sType : aliased VkStructureType; -- vulkan_core.h:11206
pNext : System.Address; -- vulkan_core.h:11207
deviceGeneratedCommands : aliased VkBool32; -- vulkan_core.h:11208
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceDeviceGeneratedCommandsFeaturesNV); -- vulkan_core.h:11205
type VkGraphicsShaderGroupCreateInfoNV is record
sType : aliased VkStructureType; -- vulkan_core.h:11212
pNext : System.Address; -- vulkan_core.h:11213
stageCount : aliased stdint_h.uint32_t; -- vulkan_core.h:11214
pStages : System.Address; -- vulkan_core.h:11215
pVertexInputState : System.Address; -- vulkan_core.h:11216
pTessellationState : System.Address; -- vulkan_core.h:11217
end record;
pragma Convention (C_Pass_By_Copy, VkGraphicsShaderGroupCreateInfoNV); -- vulkan_core.h:11211
type VkGraphicsPipelineShaderGroupsCreateInfoNV is record
sType : aliased VkStructureType; -- vulkan_core.h:11221
pNext : System.Address; -- vulkan_core.h:11222
groupCount : aliased stdint_h.uint32_t; -- vulkan_core.h:11223
pGroups : System.Address; -- vulkan_core.h:11224
pipelineCount : aliased stdint_h.uint32_t; -- vulkan_core.h:11225
pPipelines : System.Address; -- vulkan_core.h:11226
end record;
pragma Convention (C_Pass_By_Copy, VkGraphicsPipelineShaderGroupsCreateInfoNV); -- vulkan_core.h:11220
type VkBindShaderGroupIndirectCommandNV is record
groupIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:11230
end record;
pragma Convention (C_Pass_By_Copy, VkBindShaderGroupIndirectCommandNV); -- vulkan_core.h:11229
type VkBindIndexBufferIndirectCommandNV is record
bufferAddress : aliased VkDeviceAddress; -- vulkan_core.h:11234
size : aliased stdint_h.uint32_t; -- vulkan_core.h:11235
indexType : aliased VkIndexType; -- vulkan_core.h:11236
end record;
pragma Convention (C_Pass_By_Copy, VkBindIndexBufferIndirectCommandNV); -- vulkan_core.h:11233
type VkBindVertexBufferIndirectCommandNV is record
bufferAddress : aliased VkDeviceAddress; -- vulkan_core.h:11240
size : aliased stdint_h.uint32_t; -- vulkan_core.h:11241
stride : aliased stdint_h.uint32_t; -- vulkan_core.h:11242
end record;
pragma Convention (C_Pass_By_Copy, VkBindVertexBufferIndirectCommandNV); -- vulkan_core.h:11239
type VkSetStateFlagsIndirectCommandNV is record
data : aliased stdint_h.uint32_t; -- vulkan_core.h:11246
end record;
pragma Convention (C_Pass_By_Copy, VkSetStateFlagsIndirectCommandNV); -- vulkan_core.h:11245
type VkIndirectCommandsStreamNV is record
buffer : VkBuffer; -- vulkan_core.h:11250
offset : aliased VkDeviceSize; -- vulkan_core.h:11251
end record;
pragma Convention (C_Pass_By_Copy, VkIndirectCommandsStreamNV); -- vulkan_core.h:11249
type VkIndirectCommandsLayoutTokenNV is record
sType : aliased VkStructureType; -- vulkan_core.h:11255
pNext : System.Address; -- vulkan_core.h:11256
tokenType : aliased VkIndirectCommandsTokenTypeNV; -- vulkan_core.h:11257
stream : aliased stdint_h.uint32_t; -- vulkan_core.h:11258
offset : aliased stdint_h.uint32_t; -- vulkan_core.h:11259
vertexBindingUnit : aliased stdint_h.uint32_t; -- vulkan_core.h:11260
vertexDynamicStride : aliased VkBool32; -- vulkan_core.h:11261
pushconstantPipelineLayout : VkPipelineLayout; -- vulkan_core.h:11262
pushconstantShaderStageFlags : aliased VkShaderStageFlags; -- vulkan_core.h:11263
pushconstantOffset : aliased stdint_h.uint32_t; -- vulkan_core.h:11264
pushconstantSize : aliased stdint_h.uint32_t; -- vulkan_core.h:11265
indirectStateFlags : aliased VkIndirectStateFlagsNV; -- vulkan_core.h:11266
indexTypeCount : aliased stdint_h.uint32_t; -- vulkan_core.h:11267
pIndexTypes : System.Address; -- vulkan_core.h:11268
pIndexTypeValues : access stdint_h.uint32_t; -- vulkan_core.h:11269
end record;
pragma Convention (C_Pass_By_Copy, VkIndirectCommandsLayoutTokenNV); -- vulkan_core.h:11254
type VkIndirectCommandsLayoutCreateInfoNV is record
sType : aliased VkStructureType; -- vulkan_core.h:11273
pNext : System.Address; -- vulkan_core.h:11274
flags : aliased VkIndirectCommandsLayoutUsageFlagsNV; -- vulkan_core.h:11275
pipelineBindPoint : aliased VkPipelineBindPoint; -- vulkan_core.h:11276
tokenCount : aliased stdint_h.uint32_t; -- vulkan_core.h:11277
pTokens : System.Address; -- vulkan_core.h:11278
streamCount : aliased stdint_h.uint32_t; -- vulkan_core.h:11279
pStreamStrides : access stdint_h.uint32_t; -- vulkan_core.h:11280
end record;
pragma Convention (C_Pass_By_Copy, VkIndirectCommandsLayoutCreateInfoNV); -- vulkan_core.h:11272
type VkGeneratedCommandsInfoNV is record
sType : aliased VkStructureType; -- vulkan_core.h:11284
pNext : System.Address; -- vulkan_core.h:11285
pipelineBindPoint : aliased VkPipelineBindPoint; -- vulkan_core.h:11286
pipeline : VkPipeline; -- vulkan_core.h:11287
indirectCommandsLayout : VkIndirectCommandsLayoutNV; -- vulkan_core.h:11288
streamCount : aliased stdint_h.uint32_t; -- vulkan_core.h:11289
pStreams : System.Address; -- vulkan_core.h:11290
sequencesCount : aliased stdint_h.uint32_t; -- vulkan_core.h:11291
preprocessBuffer : VkBuffer; -- vulkan_core.h:11292
preprocessOffset : aliased VkDeviceSize; -- vulkan_core.h:11293
preprocessSize : aliased VkDeviceSize; -- vulkan_core.h:11294
sequencesCountBuffer : VkBuffer; -- vulkan_core.h:11295
sequencesCountOffset : aliased VkDeviceSize; -- vulkan_core.h:11296
sequencesIndexBuffer : VkBuffer; -- vulkan_core.h:11297
sequencesIndexOffset : aliased VkDeviceSize; -- vulkan_core.h:11298
end record;
pragma Convention (C_Pass_By_Copy, VkGeneratedCommandsInfoNV); -- vulkan_core.h:11283
type VkGeneratedCommandsMemoryRequirementsInfoNV is record
sType : aliased VkStructureType; -- vulkan_core.h:11302
pNext : System.Address; -- vulkan_core.h:11303
pipelineBindPoint : aliased VkPipelineBindPoint; -- vulkan_core.h:11304
pipeline : VkPipeline; -- vulkan_core.h:11305
indirectCommandsLayout : VkIndirectCommandsLayoutNV; -- vulkan_core.h:11306
maxSequencesCount : aliased stdint_h.uint32_t; -- vulkan_core.h:11307
end record;
pragma Convention (C_Pass_By_Copy, VkGeneratedCommandsMemoryRequirementsInfoNV); -- vulkan_core.h:11301
type PFN_vkGetGeneratedCommandsMemoryRequirementsNV is access procedure
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : access VkMemoryRequirements2);
pragma Convention (C, PFN_vkGetGeneratedCommandsMemoryRequirementsNV); -- vulkan_core.h:11310
type PFN_vkCmdPreprocessGeneratedCommandsNV is access procedure (arg1 : VkCommandBuffer; arg2 : System.Address);
pragma Convention (C, PFN_vkCmdPreprocessGeneratedCommandsNV); -- vulkan_core.h:11311
type PFN_vkCmdExecuteGeneratedCommandsNV is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkBool32;
arg3 : System.Address);
pragma Convention (C, PFN_vkCmdExecuteGeneratedCommandsNV); -- vulkan_core.h:11312
type PFN_vkCmdBindPipelineShaderGroupNV is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkPipelineBindPoint;
arg3 : VkPipeline;
arg4 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdBindPipelineShaderGroupNV); -- vulkan_core.h:11313
type PFN_vkCreateIndirectCommandsLayoutNV is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateIndirectCommandsLayoutNV); -- vulkan_core.h:11314
type PFN_vkDestroyIndirectCommandsLayoutNV is access procedure
(arg1 : VkDevice;
arg2 : VkIndirectCommandsLayoutNV;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroyIndirectCommandsLayoutNV); -- vulkan_core.h:11315
procedure vkGetGeneratedCommandsMemoryRequirementsNV
(device : VkDevice;
pInfo : System.Address;
pMemoryRequirements : access VkMemoryRequirements2); -- vulkan_core.h:11318
pragma Import (C, vkGetGeneratedCommandsMemoryRequirementsNV, "vkGetGeneratedCommandsMemoryRequirementsNV");
procedure vkCmdPreprocessGeneratedCommandsNV (commandBuffer : VkCommandBuffer; pGeneratedCommandsInfo : System.Address); -- vulkan_core.h:11323
pragma Import (C, vkCmdPreprocessGeneratedCommandsNV, "vkCmdPreprocessGeneratedCommandsNV");
procedure vkCmdExecuteGeneratedCommandsNV
(commandBuffer : VkCommandBuffer;
isPreprocessed : VkBool32;
pGeneratedCommandsInfo : System.Address); -- vulkan_core.h:11327
pragma Import (C, vkCmdExecuteGeneratedCommandsNV, "vkCmdExecuteGeneratedCommandsNV");
procedure vkCmdBindPipelineShaderGroupNV
(commandBuffer : VkCommandBuffer;
pipelineBindPoint : VkPipelineBindPoint;
pipeline : VkPipeline;
groupIndex : stdint_h.uint32_t); -- vulkan_core.h:11332
pragma Import (C, vkCmdBindPipelineShaderGroupNV, "vkCmdBindPipelineShaderGroupNV");
function vkCreateIndirectCommandsLayoutNV
(device : VkDevice;
pCreateInfo : System.Address;
pAllocator : System.Address;
pIndirectCommandsLayout : System.Address) return VkResult; -- vulkan_core.h:11338
pragma Import (C, vkCreateIndirectCommandsLayoutNV, "vkCreateIndirectCommandsLayoutNV");
procedure vkDestroyIndirectCommandsLayoutNV
(device : VkDevice;
indirectCommandsLayout : VkIndirectCommandsLayoutNV;
pAllocator : System.Address); -- vulkan_core.h:11344
pragma Import (C, vkDestroyIndirectCommandsLayoutNV, "vkDestroyIndirectCommandsLayoutNV");
type VkPhysicalDeviceTexelBufferAlignmentFeaturesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:11355
pNext : System.Address; -- vulkan_core.h:11356
texelBufferAlignment : aliased VkBool32; -- vulkan_core.h:11357
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceTexelBufferAlignmentFeaturesEXT); -- vulkan_core.h:11354
type VkPhysicalDeviceTexelBufferAlignmentPropertiesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:11361
pNext : System.Address; -- vulkan_core.h:11362
storageTexelBufferOffsetAlignmentBytes : aliased VkDeviceSize; -- vulkan_core.h:11363
storageTexelBufferOffsetSingleTexelAlignment : aliased VkBool32; -- vulkan_core.h:11364
uniformTexelBufferOffsetAlignmentBytes : aliased VkDeviceSize; -- vulkan_core.h:11365
uniformTexelBufferOffsetSingleTexelAlignment : aliased VkBool32; -- vulkan_core.h:11366
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceTexelBufferAlignmentPropertiesEXT); -- vulkan_core.h:11360
type VkRenderPassTransformBeginInfoQCOM is record
sType : aliased VkStructureType; -- vulkan_core.h:11375
pNext : System.Address; -- vulkan_core.h:11376
transform : aliased VkSurfaceTransformFlagBitsKHR; -- vulkan_core.h:11377
end record;
pragma Convention (C_Pass_By_Copy, VkRenderPassTransformBeginInfoQCOM); -- vulkan_core.h:11374
type VkCommandBufferInheritanceRenderPassTransformInfoQCOM is record
sType : aliased VkStructureType; -- vulkan_core.h:11381
pNext : System.Address; -- vulkan_core.h:11382
transform : aliased VkSurfaceTransformFlagBitsKHR; -- vulkan_core.h:11383
renderArea : aliased VkRect2D; -- vulkan_core.h:11384
end record;
pragma Convention (C_Pass_By_Copy, VkCommandBufferInheritanceRenderPassTransformInfoQCOM); -- vulkan_core.h:11380
subtype VkDeviceMemoryReportEventTypeEXT is unsigned;
VK_DEVICE_MEMORY_REPORT_EVENT_TYPE_ALLOCATE_EXT : constant VkDeviceMemoryReportEventTypeEXT := 0;
VK_DEVICE_MEMORY_REPORT_EVENT_TYPE_FREE_EXT : constant VkDeviceMemoryReportEventTypeEXT := 1;
VK_DEVICE_MEMORY_REPORT_EVENT_TYPE_IMPORT_EXT : constant VkDeviceMemoryReportEventTypeEXT := 2;
VK_DEVICE_MEMORY_REPORT_EVENT_TYPE_UNIMPORT_EXT : constant VkDeviceMemoryReportEventTypeEXT := 3;
VK_DEVICE_MEMORY_REPORT_EVENT_TYPE_ALLOCATION_FAILED_EXT : constant VkDeviceMemoryReportEventTypeEXT := 4;
VK_DEVICE_MEMORY_REPORT_EVENT_TYPE_MAX_ENUM_EXT : constant VkDeviceMemoryReportEventTypeEXT := 2147483647; -- vulkan_core.h:11393
subtype VkDeviceMemoryReportFlagsEXT is VkFlags; -- vulkan_core.h:11401
type VkPhysicalDeviceDeviceMemoryReportFeaturesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:11403
pNext : System.Address; -- vulkan_core.h:11404
deviceMemoryReport : aliased VkBool32; -- vulkan_core.h:11405
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceDeviceMemoryReportFeaturesEXT); -- vulkan_core.h:11402
type VkDeviceMemoryReportCallbackDataEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:11409
pNext : System.Address; -- vulkan_core.h:11410
flags : aliased VkDeviceMemoryReportFlagsEXT; -- vulkan_core.h:11411
c_type : aliased VkDeviceMemoryReportEventTypeEXT; -- vulkan_core.h:11412
memoryObjectId : aliased stdint_h.uint64_t; -- vulkan_core.h:11413
size : aliased VkDeviceSize; -- vulkan_core.h:11414
objectType : aliased VkObjectType; -- vulkan_core.h:11415
objectHandle : aliased stdint_h.uint64_t; -- vulkan_core.h:11416
heapIndex : aliased stdint_h.uint32_t; -- vulkan_core.h:11417
end record;
pragma Convention (C_Pass_By_Copy, VkDeviceMemoryReportCallbackDataEXT); -- vulkan_core.h:11408
type PFN_vkDeviceMemoryReportCallbackEXT is access procedure (arg1 : System.Address; arg2 : System.Address);
pragma Convention (C, PFN_vkDeviceMemoryReportCallbackEXT); -- vulkan_core.h:11420
type VkDeviceDeviceMemoryReportCreateInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:11425
pNext : System.Address; -- vulkan_core.h:11426
flags : aliased VkDeviceMemoryReportFlagsEXT; -- vulkan_core.h:11427
pfnUserCallback : PFN_vkDeviceMemoryReportCallbackEXT; -- vulkan_core.h:11428
pUserData : System.Address; -- vulkan_core.h:11429
end record;
pragma Convention (C_Pass_By_Copy, VkDeviceDeviceMemoryReportCreateInfoEXT); -- vulkan_core.h:11424
type VkPhysicalDeviceRobustness2FeaturesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:11438
pNext : System.Address; -- vulkan_core.h:11439
robustBufferAccess2 : aliased VkBool32; -- vulkan_core.h:11440
robustImageAccess2 : aliased VkBool32; -- vulkan_core.h:11441
nullDescriptor : aliased VkBool32; -- vulkan_core.h:11442
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceRobustness2FeaturesEXT); -- vulkan_core.h:11437
type VkPhysicalDeviceRobustness2PropertiesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:11446
pNext : System.Address; -- vulkan_core.h:11447
robustStorageBufferAccessSizeAlignment : aliased VkDeviceSize; -- vulkan_core.h:11448
robustUniformBufferAccessSizeAlignment : aliased VkDeviceSize; -- vulkan_core.h:11449
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceRobustness2PropertiesEXT); -- vulkan_core.h:11445
type VkSamplerCustomBorderColorCreateInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:11458
pNext : System.Address; -- vulkan_core.h:11459
customBorderColor : VkClearColorValue; -- vulkan_core.h:11460
format : aliased VkFormat; -- vulkan_core.h:11461
end record;
pragma Convention (C_Pass_By_Copy, VkSamplerCustomBorderColorCreateInfoEXT); -- vulkan_core.h:11457
type VkPhysicalDeviceCustomBorderColorPropertiesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:11465
pNext : System.Address; -- vulkan_core.h:11466
maxCustomBorderColorSamplers : aliased stdint_h.uint32_t; -- vulkan_core.h:11467
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceCustomBorderColorPropertiesEXT); -- vulkan_core.h:11464
type VkPhysicalDeviceCustomBorderColorFeaturesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:11471
pNext : System.Address; -- vulkan_core.h:11472
customBorderColors : aliased VkBool32; -- vulkan_core.h:11473
customBorderColorWithoutFormat : aliased VkBool32; -- vulkan_core.h:11474
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceCustomBorderColorFeaturesEXT); -- vulkan_core.h:11470
type VkPrivateDataSlotEXT is new System.Address; -- vulkan_core.h:11485
-- skipped empty struct VkPrivateDataSlotEXT_T
subtype VkPrivateDataSlotCreateFlagBitsEXT is unsigned;
VK_PRIVATE_DATA_SLOT_CREATE_FLAG_BITS_MAX_ENUM_EXT : constant VkPrivateDataSlotCreateFlagBitsEXT := 2147483647; -- vulkan_core.h:11489
subtype VkPrivateDataSlotCreateFlagsEXT is VkFlags; -- vulkan_core.h:11492
type VkPhysicalDevicePrivateDataFeaturesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:11494
pNext : System.Address; -- vulkan_core.h:11495
privateData : aliased VkBool32; -- vulkan_core.h:11496
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDevicePrivateDataFeaturesEXT); -- vulkan_core.h:11493
type VkDevicePrivateDataCreateInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:11500
pNext : System.Address; -- vulkan_core.h:11501
privateDataSlotRequestCount : aliased stdint_h.uint32_t; -- vulkan_core.h:11502
end record;
pragma Convention (C_Pass_By_Copy, VkDevicePrivateDataCreateInfoEXT); -- vulkan_core.h:11499
type VkPrivateDataSlotCreateInfoEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:11506
pNext : System.Address; -- vulkan_core.h:11507
flags : aliased VkPrivateDataSlotCreateFlagsEXT; -- vulkan_core.h:11508
end record;
pragma Convention (C_Pass_By_Copy, VkPrivateDataSlotCreateInfoEXT); -- vulkan_core.h:11505
type PFN_vkCreatePrivateDataSlotEXT is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreatePrivateDataSlotEXT); -- vulkan_core.h:11511
type PFN_vkDestroyPrivateDataSlotEXT is access procedure
(arg1 : VkDevice;
arg2 : VkPrivateDataSlotEXT;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroyPrivateDataSlotEXT); -- vulkan_core.h:11512
type PFN_vkSetPrivateDataEXT is access function
(arg1 : VkDevice;
arg2 : VkObjectType;
arg3 : stdint_h.uint64_t;
arg4 : VkPrivateDataSlotEXT;
arg5 : stdint_h.uint64_t) return VkResult;
pragma Convention (C, PFN_vkSetPrivateDataEXT); -- vulkan_core.h:11513
type PFN_vkGetPrivateDataEXT is access procedure
(arg1 : VkDevice;
arg2 : VkObjectType;
arg3 : stdint_h.uint64_t;
arg4 : VkPrivateDataSlotEXT;
arg5 : access stdint_h.uint64_t);
pragma Convention (C, PFN_vkGetPrivateDataEXT); -- vulkan_core.h:11514
function vkCreatePrivateDataSlotEXT
(device : VkDevice;
pCreateInfo : System.Address;
pAllocator : System.Address;
pPrivateDataSlot : System.Address) return VkResult; -- vulkan_core.h:11517
pragma Import (C, vkCreatePrivateDataSlotEXT, "vkCreatePrivateDataSlotEXT");
procedure vkDestroyPrivateDataSlotEXT
(device : VkDevice;
privateDataSlot : VkPrivateDataSlotEXT;
pAllocator : System.Address); -- vulkan_core.h:11523
pragma Import (C, vkDestroyPrivateDataSlotEXT, "vkDestroyPrivateDataSlotEXT");
function vkSetPrivateDataEXT
(device : VkDevice;
objectType : VkObjectType;
objectHandle : stdint_h.uint64_t;
privateDataSlot : VkPrivateDataSlotEXT;
data : stdint_h.uint64_t) return VkResult; -- vulkan_core.h:11528
pragma Import (C, vkSetPrivateDataEXT, "vkSetPrivateDataEXT");
procedure vkGetPrivateDataEXT
(device : VkDevice;
objectType : VkObjectType;
objectHandle : stdint_h.uint64_t;
privateDataSlot : VkPrivateDataSlotEXT;
pData : access stdint_h.uint64_t); -- vulkan_core.h:11535
pragma Import (C, vkGetPrivateDataEXT, "vkGetPrivateDataEXT");
type VkPhysicalDevicePipelineCreationCacheControlFeaturesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:11548
pNext : System.Address; -- vulkan_core.h:11549
pipelineCreationCacheControl : aliased VkBool32; -- vulkan_core.h:11550
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDevicePipelineCreationCacheControlFeaturesEXT); -- vulkan_core.h:11547
subtype VkDeviceDiagnosticsConfigFlagBitsNV is unsigned;
VK_DEVICE_DIAGNOSTICS_CONFIG_ENABLE_SHADER_DEBUG_INFO_BIT_NV : constant VkDeviceDiagnosticsConfigFlagBitsNV := 1;
VK_DEVICE_DIAGNOSTICS_CONFIG_ENABLE_RESOURCE_TRACKING_BIT_NV : constant VkDeviceDiagnosticsConfigFlagBitsNV := 2;
VK_DEVICE_DIAGNOSTICS_CONFIG_ENABLE_AUTOMATIC_CHECKPOINTS_BIT_NV : constant VkDeviceDiagnosticsConfigFlagBitsNV := 4;
VK_DEVICE_DIAGNOSTICS_CONFIG_FLAG_BITS_MAX_ENUM_NV : constant VkDeviceDiagnosticsConfigFlagBitsNV := 2147483647; -- vulkan_core.h:11559
subtype VkDeviceDiagnosticsConfigFlagsNV is VkFlags; -- vulkan_core.h:11565
type VkPhysicalDeviceDiagnosticsConfigFeaturesNV is record
sType : aliased VkStructureType; -- vulkan_core.h:11567
pNext : System.Address; -- vulkan_core.h:11568
diagnosticsConfig : aliased VkBool32; -- vulkan_core.h:11569
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceDiagnosticsConfigFeaturesNV); -- vulkan_core.h:11566
type VkDeviceDiagnosticsConfigCreateInfoNV is record
sType : aliased VkStructureType; -- vulkan_core.h:11573
pNext : System.Address; -- vulkan_core.h:11574
flags : aliased VkDeviceDiagnosticsConfigFlagsNV; -- vulkan_core.h:11575
end record;
pragma Convention (C_Pass_By_Copy, VkDeviceDiagnosticsConfigCreateInfoNV); -- vulkan_core.h:11572
subtype VkFragmentShadingRateTypeNV is unsigned;
VK_FRAGMENT_SHADING_RATE_TYPE_FRAGMENT_SIZE_NV : constant VkFragmentShadingRateTypeNV := 0;
VK_FRAGMENT_SHADING_RATE_TYPE_ENUMS_NV : constant VkFragmentShadingRateTypeNV := 1;
VK_FRAGMENT_SHADING_RATE_TYPE_MAX_ENUM_NV : constant VkFragmentShadingRateTypeNV := 2147483647; -- vulkan_core.h:11589
subtype VkFragmentShadingRateNV is unsigned;
VK_FRAGMENT_SHADING_RATE_1_INVOCATION_PER_PIXEL_NV : constant VkFragmentShadingRateNV := 0;
VK_FRAGMENT_SHADING_RATE_1_INVOCATION_PER_1X2_PIXELS_NV : constant VkFragmentShadingRateNV := 1;
VK_FRAGMENT_SHADING_RATE_1_INVOCATION_PER_2X1_PIXELS_NV : constant VkFragmentShadingRateNV := 4;
VK_FRAGMENT_SHADING_RATE_1_INVOCATION_PER_2X2_PIXELS_NV : constant VkFragmentShadingRateNV := 5;
VK_FRAGMENT_SHADING_RATE_1_INVOCATION_PER_2X4_PIXELS_NV : constant VkFragmentShadingRateNV := 6;
VK_FRAGMENT_SHADING_RATE_1_INVOCATION_PER_4X2_PIXELS_NV : constant VkFragmentShadingRateNV := 9;
VK_FRAGMENT_SHADING_RATE_1_INVOCATION_PER_4X4_PIXELS_NV : constant VkFragmentShadingRateNV := 10;
VK_FRAGMENT_SHADING_RATE_2_INVOCATIONS_PER_PIXEL_NV : constant VkFragmentShadingRateNV := 11;
VK_FRAGMENT_SHADING_RATE_4_INVOCATIONS_PER_PIXEL_NV : constant VkFragmentShadingRateNV := 12;
VK_FRAGMENT_SHADING_RATE_8_INVOCATIONS_PER_PIXEL_NV : constant VkFragmentShadingRateNV := 13;
VK_FRAGMENT_SHADING_RATE_16_INVOCATIONS_PER_PIXEL_NV : constant VkFragmentShadingRateNV := 14;
VK_FRAGMENT_SHADING_RATE_NO_INVOCATIONS_NV : constant VkFragmentShadingRateNV := 15;
VK_FRAGMENT_SHADING_RATE_MAX_ENUM_NV : constant VkFragmentShadingRateNV := 2147483647; -- vulkan_core.h:11595
type VkPhysicalDeviceFragmentShadingRateEnumsFeaturesNV is record
sType : aliased VkStructureType; -- vulkan_core.h:11611
pNext : System.Address; -- vulkan_core.h:11612
fragmentShadingRateEnums : aliased VkBool32; -- vulkan_core.h:11613
supersampleFragmentShadingRates : aliased VkBool32; -- vulkan_core.h:11614
noInvocationFragmentShadingRates : aliased VkBool32; -- vulkan_core.h:11615
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceFragmentShadingRateEnumsFeaturesNV); -- vulkan_core.h:11610
type VkPhysicalDeviceFragmentShadingRateEnumsPropertiesNV is record
sType : aliased VkStructureType; -- vulkan_core.h:11619
pNext : System.Address; -- vulkan_core.h:11620
maxFragmentShadingRateInvocationCount : aliased VkSampleCountFlagBits; -- vulkan_core.h:11621
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceFragmentShadingRateEnumsPropertiesNV); -- vulkan_core.h:11618
type VkPipelineFragmentShadingRateEnumStateCreateInfoNV_combinerOps_array is array (0 .. 1) of aliased VkFragmentShadingRateCombinerOpKHR;
type VkPipelineFragmentShadingRateEnumStateCreateInfoNV is record
sType : aliased VkStructureType; -- vulkan_core.h:11625
pNext : System.Address; -- vulkan_core.h:11626
shadingRateType : aliased VkFragmentShadingRateTypeNV; -- vulkan_core.h:11627
shadingRate : aliased VkFragmentShadingRateNV; -- vulkan_core.h:11628
combinerOps : aliased VkPipelineFragmentShadingRateEnumStateCreateInfoNV_combinerOps_array; -- vulkan_core.h:11629
end record;
pragma Convention (C_Pass_By_Copy, VkPipelineFragmentShadingRateEnumStateCreateInfoNV); -- vulkan_core.h:11624
type PFN_vkCmdSetFragmentShadingRateEnumNV is access procedure
(arg1 : VkCommandBuffer;
arg2 : VkFragmentShadingRateNV;
arg3 : System.Address);
pragma Convention (C, PFN_vkCmdSetFragmentShadingRateEnumNV); -- vulkan_core.h:11632
procedure vkCmdSetFragmentShadingRateEnumNV
(commandBuffer : VkCommandBuffer;
shadingRate : VkFragmentShadingRateNV;
combinerOps : System.Address); -- vulkan_core.h:11635
pragma Import (C, vkCmdSetFragmentShadingRateEnumNV, "vkCmdSetFragmentShadingRateEnumNV");
type VkPhysicalDeviceFragmentDensityMap2FeaturesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:11646
pNext : System.Address; -- vulkan_core.h:11647
fragmentDensityMapDeferred : aliased VkBool32; -- vulkan_core.h:11648
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceFragmentDensityMap2FeaturesEXT); -- vulkan_core.h:11645
type VkPhysicalDeviceFragmentDensityMap2PropertiesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:11652
pNext : System.Address; -- vulkan_core.h:11653
subsampledLoads : aliased VkBool32; -- vulkan_core.h:11654
subsampledCoarseReconstructionEarlyAccess : aliased VkBool32; -- vulkan_core.h:11655
maxSubsampledArrayLayers : aliased stdint_h.uint32_t; -- vulkan_core.h:11656
maxDescriptorSetSubsampledSamplers : aliased stdint_h.uint32_t; -- vulkan_core.h:11657
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceFragmentDensityMap2PropertiesEXT); -- vulkan_core.h:11651
type VkCopyCommandTransformInfoQCOM is record
sType : aliased VkStructureType; -- vulkan_core.h:11666
pNext : System.Address; -- vulkan_core.h:11667
transform : aliased VkSurfaceTransformFlagBitsKHR; -- vulkan_core.h:11668
end record;
pragma Convention (C_Pass_By_Copy, VkCopyCommandTransformInfoQCOM); -- vulkan_core.h:11665
type VkPhysicalDeviceImageRobustnessFeaturesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:11677
pNext : System.Address; -- vulkan_core.h:11678
robustImageAccess : aliased VkBool32; -- vulkan_core.h:11679
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceImageRobustnessFeaturesEXT); -- vulkan_core.h:11676
type VkPhysicalDevice4444FormatsFeaturesEXT is record
sType : aliased VkStructureType; -- vulkan_core.h:11688
pNext : System.Address; -- vulkan_core.h:11689
formatA4R4G4B4 : aliased VkBool32; -- vulkan_core.h:11690
formatA4B4G4R4 : aliased VkBool32; -- vulkan_core.h:11691
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDevice4444FormatsFeaturesEXT); -- vulkan_core.h:11687
type PFN_vkAcquireWinrtDisplayNV is access function (arg1 : VkPhysicalDevice; arg2 : VkDisplayKHR) return VkResult;
pragma Convention (C, PFN_vkAcquireWinrtDisplayNV); -- vulkan_core.h:11699
type PFN_vkGetWinrtDisplayNV is access function
(arg1 : VkPhysicalDevice;
arg2 : stdint_h.uint32_t;
arg3 : System.Address) return VkResult;
pragma Convention (C, PFN_vkGetWinrtDisplayNV); -- vulkan_core.h:11700
function vkAcquireWinrtDisplayNV (physicalDevice : VkPhysicalDevice; display : VkDisplayKHR) return VkResult; -- vulkan_core.h:11703
pragma Import (C, vkAcquireWinrtDisplayNV, "vkAcquireWinrtDisplayNV");
function vkGetWinrtDisplayNV
(physicalDevice : VkPhysicalDevice;
deviceRelativeId : stdint_h.uint32_t;
pDisplay : System.Address) return VkResult; -- vulkan_core.h:11707
pragma Import (C, vkGetWinrtDisplayNV, "vkGetWinrtDisplayNV");
type VkPhysicalDeviceMutableDescriptorTypeFeaturesVALVE is record
sType : aliased VkStructureType; -- vulkan_core.h:11718
pNext : System.Address; -- vulkan_core.h:11719
mutableDescriptorType : aliased VkBool32; -- vulkan_core.h:11720
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceMutableDescriptorTypeFeaturesVALVE); -- vulkan_core.h:11717
type VkMutableDescriptorTypeListVALVE is record
descriptorTypeCount : aliased stdint_h.uint32_t; -- vulkan_core.h:11724
pDescriptorTypes : System.Address; -- vulkan_core.h:11725
end record;
pragma Convention (C_Pass_By_Copy, VkMutableDescriptorTypeListVALVE); -- vulkan_core.h:11723
type VkMutableDescriptorTypeCreateInfoVALVE is record
sType : aliased VkStructureType; -- vulkan_core.h:11729
pNext : System.Address; -- vulkan_core.h:11730
mutableDescriptorTypeListCount : aliased stdint_h.uint32_t; -- vulkan_core.h:11731
pMutableDescriptorTypeLists : System.Address; -- vulkan_core.h:11732
end record;
pragma Convention (C_Pass_By_Copy, VkMutableDescriptorTypeCreateInfoVALVE); -- vulkan_core.h:11728
-- skipped empty struct VkAccelerationStructureKHR_T
type VkAccelerationStructureKHR is new System.Address; -- vulkan_core.h:11738
subtype VkBuildAccelerationStructureModeKHR is unsigned;
VK_BUILD_ACCELERATION_STRUCTURE_MODE_BUILD_KHR : constant VkBuildAccelerationStructureModeKHR := 0;
VK_BUILD_ACCELERATION_STRUCTURE_MODE_UPDATE_KHR : constant VkBuildAccelerationStructureModeKHR := 1;
VK_BUILD_ACCELERATION_STRUCTURE_MODE_MAX_ENUM_KHR : constant VkBuildAccelerationStructureModeKHR := 2147483647; -- vulkan_core.h:11742
subtype VkAccelerationStructureBuildTypeKHR is unsigned;
VK_ACCELERATION_STRUCTURE_BUILD_TYPE_HOST_KHR : constant VkAccelerationStructureBuildTypeKHR := 0;
VK_ACCELERATION_STRUCTURE_BUILD_TYPE_DEVICE_KHR : constant VkAccelerationStructureBuildTypeKHR := 1;
VK_ACCELERATION_STRUCTURE_BUILD_TYPE_HOST_OR_DEVICE_KHR : constant VkAccelerationStructureBuildTypeKHR := 2;
VK_ACCELERATION_STRUCTURE_BUILD_TYPE_MAX_ENUM_KHR : constant VkAccelerationStructureBuildTypeKHR := 2147483647; -- vulkan_core.h:11748
subtype VkAccelerationStructureCompatibilityKHR is unsigned;
VK_ACCELERATION_STRUCTURE_COMPATIBILITY_COMPATIBLE_KHR : constant VkAccelerationStructureCompatibilityKHR := 0;
VK_ACCELERATION_STRUCTURE_COMPATIBILITY_INCOMPATIBLE_KHR : constant VkAccelerationStructureCompatibilityKHR := 1;
VK_ACCELERATION_STRUCTURE_COMPATIBILITY_MAX_ENUM_KHR : constant VkAccelerationStructureCompatibilityKHR := 2147483647; -- vulkan_core.h:11755
subtype VkAccelerationStructureCreateFlagBitsKHR is unsigned;
VK_ACCELERATION_STRUCTURE_CREATE_DEVICE_ADDRESS_CAPTURE_REPLAY_BIT_KHR : constant VkAccelerationStructureCreateFlagBitsKHR := 1;
VK_ACCELERATION_STRUCTURE_CREATE_FLAG_BITS_MAX_ENUM_KHR : constant VkAccelerationStructureCreateFlagBitsKHR := 2147483647; -- vulkan_core.h:11761
subtype VkAccelerationStructureCreateFlagsKHR is VkFlags; -- vulkan_core.h:11765
type VkDeviceOrHostAddressKHR (discr : unsigned := 0) is record
case discr is
when 0 =>
deviceAddress : aliased VkDeviceAddress; -- vulkan_core.h:11767
when others =>
hostAddress : System.Address; -- vulkan_core.h:11768
end case;
end record;
pragma Convention (C_Pass_By_Copy, VkDeviceOrHostAddressKHR);
pragma Unchecked_Union (VkDeviceOrHostAddressKHR); -- vulkan_core.h:11766
type VkDeviceOrHostAddressConstKHR (discr : unsigned := 0) is record
case discr is
when 0 =>
deviceAddress : aliased VkDeviceAddress; -- vulkan_core.h:11772
when others =>
hostAddress : System.Address; -- vulkan_core.h:11773
end case;
end record;
pragma Convention (C_Pass_By_Copy, VkDeviceOrHostAddressConstKHR);
pragma Unchecked_Union (VkDeviceOrHostAddressConstKHR); -- vulkan_core.h:11771
type VkAccelerationStructureBuildRangeInfoKHR is record
primitiveCount : aliased stdint_h.uint32_t; -- vulkan_core.h:11777
primitiveOffset : aliased stdint_h.uint32_t; -- vulkan_core.h:11778
firstVertex : aliased stdint_h.uint32_t; -- vulkan_core.h:11779
transformOffset : aliased stdint_h.uint32_t; -- vulkan_core.h:11780
end record;
pragma Convention (C_Pass_By_Copy, VkAccelerationStructureBuildRangeInfoKHR); -- vulkan_core.h:11776
type VkAccelerationStructureGeometryTrianglesDataKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:11784
pNext : System.Address; -- vulkan_core.h:11785
vertexFormat : aliased VkFormat; -- vulkan_core.h:11786
vertexData : VkDeviceOrHostAddressConstKHR; -- vulkan_core.h:11787
vertexStride : aliased VkDeviceSize; -- vulkan_core.h:11788
maxVertex : aliased stdint_h.uint32_t; -- vulkan_core.h:11789
indexType : aliased VkIndexType; -- vulkan_core.h:11790
indexData : VkDeviceOrHostAddressConstKHR; -- vulkan_core.h:11791
transformData : VkDeviceOrHostAddressConstKHR; -- vulkan_core.h:11792
end record;
pragma Convention (C_Pass_By_Copy, VkAccelerationStructureGeometryTrianglesDataKHR); -- vulkan_core.h:11783
type VkAccelerationStructureGeometryAabbsDataKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:11796
pNext : System.Address; -- vulkan_core.h:11797
data : VkDeviceOrHostAddressConstKHR; -- vulkan_core.h:11798
stride : aliased VkDeviceSize; -- vulkan_core.h:11799
end record;
pragma Convention (C_Pass_By_Copy, VkAccelerationStructureGeometryAabbsDataKHR); -- vulkan_core.h:11795
type VkAccelerationStructureGeometryInstancesDataKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:11803
pNext : System.Address; -- vulkan_core.h:11804
arrayOfPointers : aliased VkBool32; -- vulkan_core.h:11805
data : VkDeviceOrHostAddressConstKHR; -- vulkan_core.h:11806
end record;
pragma Convention (C_Pass_By_Copy, VkAccelerationStructureGeometryInstancesDataKHR); -- vulkan_core.h:11802
type VkAccelerationStructureGeometryDataKHR (discr : unsigned := 0) is record
case discr is
when 0 =>
triangles : aliased VkAccelerationStructureGeometryTrianglesDataKHR; -- vulkan_core.h:11810
when 1 =>
aabbs : aliased VkAccelerationStructureGeometryAabbsDataKHR; -- vulkan_core.h:11811
when others =>
instances : aliased VkAccelerationStructureGeometryInstancesDataKHR; -- vulkan_core.h:11812
end case;
end record;
pragma Convention (C_Pass_By_Copy, VkAccelerationStructureGeometryDataKHR);
pragma Unchecked_Union (VkAccelerationStructureGeometryDataKHR); -- vulkan_core.h:11809
type VkAccelerationStructureGeometryKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:11816
pNext : System.Address; -- vulkan_core.h:11817
geometryType : aliased VkGeometryTypeKHR; -- vulkan_core.h:11818
geometry : VkAccelerationStructureGeometryDataKHR; -- vulkan_core.h:11819
flags : aliased VkGeometryFlagsKHR; -- vulkan_core.h:11820
end record;
pragma Convention (C_Pass_By_Copy, VkAccelerationStructureGeometryKHR); -- vulkan_core.h:11815
type VkAccelerationStructureBuildGeometryInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:11824
pNext : System.Address; -- vulkan_core.h:11825
c_type : aliased VkAccelerationStructureTypeKHR; -- vulkan_core.h:11826
flags : aliased VkBuildAccelerationStructureFlagsKHR; -- vulkan_core.h:11827
mode : aliased VkBuildAccelerationStructureModeKHR; -- vulkan_core.h:11828
srcAccelerationStructure : VkAccelerationStructureKHR; -- vulkan_core.h:11829
dstAccelerationStructure : VkAccelerationStructureKHR; -- vulkan_core.h:11830
geometryCount : aliased stdint_h.uint32_t; -- vulkan_core.h:11831
pGeometries : System.Address; -- vulkan_core.h:11832
ppGeometries : System.Address; -- vulkan_core.h:11833
scratchData : VkDeviceOrHostAddressKHR; -- vulkan_core.h:11834
end record;
pragma Convention (C_Pass_By_Copy, VkAccelerationStructureBuildGeometryInfoKHR); -- vulkan_core.h:11823
type VkAccelerationStructureCreateInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:11838
pNext : System.Address; -- vulkan_core.h:11839
createFlags : aliased VkAccelerationStructureCreateFlagsKHR; -- vulkan_core.h:11840
buffer : VkBuffer; -- vulkan_core.h:11841
offset : aliased VkDeviceSize; -- vulkan_core.h:11842
size : aliased VkDeviceSize; -- vulkan_core.h:11843
c_type : aliased VkAccelerationStructureTypeKHR; -- vulkan_core.h:11844
deviceAddress : aliased VkDeviceAddress; -- vulkan_core.h:11845
end record;
pragma Convention (C_Pass_By_Copy, VkAccelerationStructureCreateInfoKHR); -- vulkan_core.h:11837
type VkWriteDescriptorSetAccelerationStructureKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:11849
pNext : System.Address; -- vulkan_core.h:11850
accelerationStructureCount : aliased stdint_h.uint32_t; -- vulkan_core.h:11851
pAccelerationStructures : System.Address; -- vulkan_core.h:11852
end record;
pragma Convention (C_Pass_By_Copy, VkWriteDescriptorSetAccelerationStructureKHR); -- vulkan_core.h:11848
type VkPhysicalDeviceAccelerationStructureFeaturesKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:11856
pNext : System.Address; -- vulkan_core.h:11857
accelerationStructure : aliased VkBool32; -- vulkan_core.h:11858
accelerationStructureCaptureReplay : aliased VkBool32; -- vulkan_core.h:11859
accelerationStructureIndirectBuild : aliased VkBool32; -- vulkan_core.h:11860
accelerationStructureHostCommands : aliased VkBool32; -- vulkan_core.h:11861
descriptorBindingAccelerationStructureUpdateAfterBind : aliased VkBool32; -- vulkan_core.h:11862
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceAccelerationStructureFeaturesKHR); -- vulkan_core.h:11855
type VkPhysicalDeviceAccelerationStructurePropertiesKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:11866
pNext : System.Address; -- vulkan_core.h:11867
maxGeometryCount : aliased stdint_h.uint64_t; -- vulkan_core.h:11868
maxInstanceCount : aliased stdint_h.uint64_t; -- vulkan_core.h:11869
maxPrimitiveCount : aliased stdint_h.uint64_t; -- vulkan_core.h:11870
maxPerStageDescriptorAccelerationStructures : aliased stdint_h.uint32_t; -- vulkan_core.h:11871
maxPerStageDescriptorUpdateAfterBindAccelerationStructures : aliased stdint_h.uint32_t; -- vulkan_core.h:11872
maxDescriptorSetAccelerationStructures : aliased stdint_h.uint32_t; -- vulkan_core.h:11873
maxDescriptorSetUpdateAfterBindAccelerationStructures : aliased stdint_h.uint32_t; -- vulkan_core.h:11874
minAccelerationStructureScratchOffsetAlignment : aliased stdint_h.uint32_t; -- vulkan_core.h:11875
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceAccelerationStructurePropertiesKHR); -- vulkan_core.h:11865
type VkAccelerationStructureDeviceAddressInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:11879
pNext : System.Address; -- vulkan_core.h:11880
accelerationStructure : VkAccelerationStructureKHR; -- vulkan_core.h:11881
end record;
pragma Convention (C_Pass_By_Copy, VkAccelerationStructureDeviceAddressInfoKHR); -- vulkan_core.h:11878
type VkAccelerationStructureVersionInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:11885
pNext : System.Address; -- vulkan_core.h:11886
pVersionData : access stdint_h.uint8_t; -- vulkan_core.h:11887
end record;
pragma Convention (C_Pass_By_Copy, VkAccelerationStructureVersionInfoKHR); -- vulkan_core.h:11884
type VkCopyAccelerationStructureToMemoryInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:11891
pNext : System.Address; -- vulkan_core.h:11892
src : VkAccelerationStructureKHR; -- vulkan_core.h:11893
dst : VkDeviceOrHostAddressKHR; -- vulkan_core.h:11894
mode : aliased VkCopyAccelerationStructureModeKHR; -- vulkan_core.h:11895
end record;
pragma Convention (C_Pass_By_Copy, VkCopyAccelerationStructureToMemoryInfoKHR); -- vulkan_core.h:11890
type VkCopyMemoryToAccelerationStructureInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:11899
pNext : System.Address; -- vulkan_core.h:11900
src : VkDeviceOrHostAddressConstKHR; -- vulkan_core.h:11901
dst : VkAccelerationStructureKHR; -- vulkan_core.h:11902
mode : aliased VkCopyAccelerationStructureModeKHR; -- vulkan_core.h:11903
end record;
pragma Convention (C_Pass_By_Copy, VkCopyMemoryToAccelerationStructureInfoKHR); -- vulkan_core.h:11898
type VkCopyAccelerationStructureInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:11907
pNext : System.Address; -- vulkan_core.h:11908
src : VkAccelerationStructureKHR; -- vulkan_core.h:11909
dst : VkAccelerationStructureKHR; -- vulkan_core.h:11910
mode : aliased VkCopyAccelerationStructureModeKHR; -- vulkan_core.h:11911
end record;
pragma Convention (C_Pass_By_Copy, VkCopyAccelerationStructureInfoKHR); -- vulkan_core.h:11906
type VkAccelerationStructureBuildSizesInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:11915
pNext : System.Address; -- vulkan_core.h:11916
accelerationStructureSize : aliased VkDeviceSize; -- vulkan_core.h:11917
updateScratchSize : aliased VkDeviceSize; -- vulkan_core.h:11918
buildScratchSize : aliased VkDeviceSize; -- vulkan_core.h:11919
end record;
pragma Convention (C_Pass_By_Copy, VkAccelerationStructureBuildSizesInfoKHR); -- vulkan_core.h:11914
type PFN_vkCreateAccelerationStructureKHR is access function
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateAccelerationStructureKHR); -- vulkan_core.h:11922
type PFN_vkDestroyAccelerationStructureKHR is access procedure
(arg1 : VkDevice;
arg2 : VkAccelerationStructureKHR;
arg3 : System.Address);
pragma Convention (C, PFN_vkDestroyAccelerationStructureKHR); -- vulkan_core.h:11923
type PFN_vkCmdBuildAccelerationStructuresKHR is access procedure
(arg1 : VkCommandBuffer;
arg2 : stdint_h.uint32_t;
arg3 : System.Address;
arg4 : System.Address);
pragma Convention (C, PFN_vkCmdBuildAccelerationStructuresKHR); -- vulkan_core.h:11924
type PFN_vkCmdBuildAccelerationStructuresIndirectKHR is access procedure
(arg1 : VkCommandBuffer;
arg2 : stdint_h.uint32_t;
arg3 : System.Address;
arg4 : access VkDeviceAddress;
arg5 : access stdint_h.uint32_t;
arg6 : System.Address);
pragma Convention (C, PFN_vkCmdBuildAccelerationStructuresIndirectKHR); -- vulkan_core.h:11925
type PFN_vkBuildAccelerationStructuresKHR is access function
(arg1 : VkDevice;
arg2 : VkDeferredOperationKHR;
arg3 : stdint_h.uint32_t;
arg4 : System.Address;
arg5 : System.Address) return VkResult;
pragma Convention (C, PFN_vkBuildAccelerationStructuresKHR); -- vulkan_core.h:11926
type PFN_vkCopyAccelerationStructureKHR is access function
(arg1 : VkDevice;
arg2 : VkDeferredOperationKHR;
arg3 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCopyAccelerationStructureKHR); -- vulkan_core.h:11927
type PFN_vkCopyAccelerationStructureToMemoryKHR is access function
(arg1 : VkDevice;
arg2 : VkDeferredOperationKHR;
arg3 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCopyAccelerationStructureToMemoryKHR); -- vulkan_core.h:11928
type PFN_vkCopyMemoryToAccelerationStructureKHR is access function
(arg1 : VkDevice;
arg2 : VkDeferredOperationKHR;
arg3 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCopyMemoryToAccelerationStructureKHR); -- vulkan_core.h:11929
type PFN_vkWriteAccelerationStructuresPropertiesKHR is access function
(arg1 : VkDevice;
arg2 : stdint_h.uint32_t;
arg3 : System.Address;
arg4 : VkQueryType;
arg5 : crtdefs_h.size_t;
arg6 : System.Address;
arg7 : crtdefs_h.size_t) return VkResult;
pragma Convention (C, PFN_vkWriteAccelerationStructuresPropertiesKHR); -- vulkan_core.h:11930
type PFN_vkCmdCopyAccelerationStructureKHR is access procedure (arg1 : VkCommandBuffer; arg2 : System.Address);
pragma Convention (C, PFN_vkCmdCopyAccelerationStructureKHR); -- vulkan_core.h:11931
type PFN_vkCmdCopyAccelerationStructureToMemoryKHR is access procedure (arg1 : VkCommandBuffer; arg2 : System.Address);
pragma Convention (C, PFN_vkCmdCopyAccelerationStructureToMemoryKHR); -- vulkan_core.h:11932
type PFN_vkCmdCopyMemoryToAccelerationStructureKHR is access procedure (arg1 : VkCommandBuffer; arg2 : System.Address);
pragma Convention (C, PFN_vkCmdCopyMemoryToAccelerationStructureKHR); -- vulkan_core.h:11933
type PFN_vkGetAccelerationStructureDeviceAddressKHR is access function (arg1 : VkDevice; arg2 : System.Address) return VkDeviceAddress;
pragma Convention (C, PFN_vkGetAccelerationStructureDeviceAddressKHR); -- vulkan_core.h:11934
type PFN_vkCmdWriteAccelerationStructuresPropertiesKHR is access procedure
(arg1 : VkCommandBuffer;
arg2 : stdint_h.uint32_t;
arg3 : System.Address;
arg4 : VkQueryType;
arg5 : VkQueryPool;
arg6 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdWriteAccelerationStructuresPropertiesKHR); -- vulkan_core.h:11935
type PFN_vkGetDeviceAccelerationStructureCompatibilityKHR is access procedure
(arg1 : VkDevice;
arg2 : System.Address;
arg3 : access VkAccelerationStructureCompatibilityKHR);
pragma Convention (C, PFN_vkGetDeviceAccelerationStructureCompatibilityKHR); -- vulkan_core.h:11936
type PFN_vkGetAccelerationStructureBuildSizesKHR is access procedure
(arg1 : VkDevice;
arg2 : VkAccelerationStructureBuildTypeKHR;
arg3 : System.Address;
arg4 : access stdint_h.uint32_t;
arg5 : access VkAccelerationStructureBuildSizesInfoKHR);
pragma Convention (C, PFN_vkGetAccelerationStructureBuildSizesKHR); -- vulkan_core.h:11937
function vkCreateAccelerationStructureKHR
(device : VkDevice;
pCreateInfo : System.Address;
pAllocator : System.Address;
pAccelerationStructure : System.Address) return VkResult; -- vulkan_core.h:11940
pragma Import (C, vkCreateAccelerationStructureKHR, "vkCreateAccelerationStructureKHR");
procedure vkDestroyAccelerationStructureKHR
(device : VkDevice;
accelerationStructure : VkAccelerationStructureKHR;
pAllocator : System.Address); -- vulkan_core.h:11946
pragma Import (C, vkDestroyAccelerationStructureKHR, "vkDestroyAccelerationStructureKHR");
procedure vkCmdBuildAccelerationStructuresKHR
(commandBuffer : VkCommandBuffer;
infoCount : stdint_h.uint32_t;
pInfos : System.Address;
ppBuildRangeInfos : System.Address); -- vulkan_core.h:11951
pragma Import (C, vkCmdBuildAccelerationStructuresKHR, "vkCmdBuildAccelerationStructuresKHR");
procedure vkCmdBuildAccelerationStructuresIndirectKHR
(commandBuffer : VkCommandBuffer;
infoCount : stdint_h.uint32_t;
pInfos : System.Address;
pIndirectDeviceAddresses : access VkDeviceAddress;
pIndirectStrides : access stdint_h.uint32_t;
ppMaxPrimitiveCounts : System.Address); -- vulkan_core.h:11957
pragma Import (C, vkCmdBuildAccelerationStructuresIndirectKHR, "vkCmdBuildAccelerationStructuresIndirectKHR");
function vkBuildAccelerationStructuresKHR
(device : VkDevice;
deferredOperation : VkDeferredOperationKHR;
infoCount : stdint_h.uint32_t;
pInfos : System.Address;
ppBuildRangeInfos : System.Address) return VkResult; -- vulkan_core.h:11965
pragma Import (C, vkBuildAccelerationStructuresKHR, "vkBuildAccelerationStructuresKHR");
function vkCopyAccelerationStructureKHR
(device : VkDevice;
deferredOperation : VkDeferredOperationKHR;
pInfo : System.Address) return VkResult; -- vulkan_core.h:11972
pragma Import (C, vkCopyAccelerationStructureKHR, "vkCopyAccelerationStructureKHR");
function vkCopyAccelerationStructureToMemoryKHR
(device : VkDevice;
deferredOperation : VkDeferredOperationKHR;
pInfo : System.Address) return VkResult; -- vulkan_core.h:11977
pragma Import (C, vkCopyAccelerationStructureToMemoryKHR, "vkCopyAccelerationStructureToMemoryKHR");
function vkCopyMemoryToAccelerationStructureKHR
(device : VkDevice;
deferredOperation : VkDeferredOperationKHR;
pInfo : System.Address) return VkResult; -- vulkan_core.h:11982
pragma Import (C, vkCopyMemoryToAccelerationStructureKHR, "vkCopyMemoryToAccelerationStructureKHR");
function vkWriteAccelerationStructuresPropertiesKHR
(device : VkDevice;
accelerationStructureCount : stdint_h.uint32_t;
pAccelerationStructures : System.Address;
queryType : VkQueryType;
dataSize : crtdefs_h.size_t;
pData : System.Address;
stride : crtdefs_h.size_t) return VkResult; -- vulkan_core.h:11987
pragma Import (C, vkWriteAccelerationStructuresPropertiesKHR, "vkWriteAccelerationStructuresPropertiesKHR");
procedure vkCmdCopyAccelerationStructureKHR (commandBuffer : VkCommandBuffer; pInfo : System.Address); -- vulkan_core.h:11996
pragma Import (C, vkCmdCopyAccelerationStructureKHR, "vkCmdCopyAccelerationStructureKHR");
procedure vkCmdCopyAccelerationStructureToMemoryKHR (commandBuffer : VkCommandBuffer; pInfo : System.Address); -- vulkan_core.h:12000
pragma Import (C, vkCmdCopyAccelerationStructureToMemoryKHR, "vkCmdCopyAccelerationStructureToMemoryKHR");
procedure vkCmdCopyMemoryToAccelerationStructureKHR (commandBuffer : VkCommandBuffer; pInfo : System.Address); -- vulkan_core.h:12004
pragma Import (C, vkCmdCopyMemoryToAccelerationStructureKHR, "vkCmdCopyMemoryToAccelerationStructureKHR");
function vkGetAccelerationStructureDeviceAddressKHR (device : VkDevice; pInfo : System.Address) return VkDeviceAddress; -- vulkan_core.h:12008
pragma Import (C, vkGetAccelerationStructureDeviceAddressKHR, "vkGetAccelerationStructureDeviceAddressKHR");
procedure vkCmdWriteAccelerationStructuresPropertiesKHR
(commandBuffer : VkCommandBuffer;
accelerationStructureCount : stdint_h.uint32_t;
pAccelerationStructures : System.Address;
queryType : VkQueryType;
queryPool : VkQueryPool;
firstQuery : stdint_h.uint32_t); -- vulkan_core.h:12012
pragma Import (C, vkCmdWriteAccelerationStructuresPropertiesKHR, "vkCmdWriteAccelerationStructuresPropertiesKHR");
procedure vkGetDeviceAccelerationStructureCompatibilityKHR
(device : VkDevice;
pVersionInfo : System.Address;
pCompatibility : access VkAccelerationStructureCompatibilityKHR); -- vulkan_core.h:12020
pragma Import (C, vkGetDeviceAccelerationStructureCompatibilityKHR, "vkGetDeviceAccelerationStructureCompatibilityKHR");
procedure vkGetAccelerationStructureBuildSizesKHR
(device : VkDevice;
buildType : VkAccelerationStructureBuildTypeKHR;
pBuildInfo : System.Address;
pMaxPrimitiveCounts : access stdint_h.uint32_t;
pSizeInfo : access VkAccelerationStructureBuildSizesInfoKHR); -- vulkan_core.h:12025
pragma Import (C, vkGetAccelerationStructureBuildSizesKHR, "vkGetAccelerationStructureBuildSizesKHR");
subtype VkShaderGroupShaderKHR is unsigned;
VK_SHADER_GROUP_SHADER_GENERAL_KHR : constant VkShaderGroupShaderKHR := 0;
VK_SHADER_GROUP_SHADER_CLOSEST_HIT_KHR : constant VkShaderGroupShaderKHR := 1;
VK_SHADER_GROUP_SHADER_ANY_HIT_KHR : constant VkShaderGroupShaderKHR := 2;
VK_SHADER_GROUP_SHADER_INTERSECTION_KHR : constant VkShaderGroupShaderKHR := 3;
VK_SHADER_GROUP_SHADER_MAX_ENUM_KHR : constant VkShaderGroupShaderKHR := 2147483647; -- vulkan_core.h:12038
type VkRayTracingShaderGroupCreateInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:12046
pNext : System.Address; -- vulkan_core.h:12047
c_type : aliased VkRayTracingShaderGroupTypeKHR; -- vulkan_core.h:12048
generalShader : aliased stdint_h.uint32_t; -- vulkan_core.h:12049
closestHitShader : aliased stdint_h.uint32_t; -- vulkan_core.h:12050
anyHitShader : aliased stdint_h.uint32_t; -- vulkan_core.h:12051
intersectionShader : aliased stdint_h.uint32_t; -- vulkan_core.h:12052
pShaderGroupCaptureReplayHandle : System.Address; -- vulkan_core.h:12053
end record;
pragma Convention (C_Pass_By_Copy, VkRayTracingShaderGroupCreateInfoKHR); -- vulkan_core.h:12045
type VkRayTracingPipelineInterfaceCreateInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:12057
pNext : System.Address; -- vulkan_core.h:12058
maxPipelineRayPayloadSize : aliased stdint_h.uint32_t; -- vulkan_core.h:12059
maxPipelineRayHitAttributeSize : aliased stdint_h.uint32_t; -- vulkan_core.h:12060
end record;
pragma Convention (C_Pass_By_Copy, VkRayTracingPipelineInterfaceCreateInfoKHR); -- vulkan_core.h:12056
type VkRayTracingPipelineCreateInfoKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:12064
pNext : System.Address; -- vulkan_core.h:12065
flags : aliased VkPipelineCreateFlags; -- vulkan_core.h:12066
stageCount : aliased stdint_h.uint32_t; -- vulkan_core.h:12067
pStages : System.Address; -- vulkan_core.h:12068
groupCount : aliased stdint_h.uint32_t; -- vulkan_core.h:12069
pGroups : System.Address; -- vulkan_core.h:12070
maxPipelineRayRecursionDepth : aliased stdint_h.uint32_t; -- vulkan_core.h:12071
pLibraryInfo : System.Address; -- vulkan_core.h:12072
pLibraryInterface : System.Address; -- vulkan_core.h:12073
pDynamicState : System.Address; -- vulkan_core.h:12074
layout : VkPipelineLayout; -- vulkan_core.h:12075
basePipelineHandle : VkPipeline; -- vulkan_core.h:12076
basePipelineIndex : aliased stdint_h.int32_t; -- vulkan_core.h:12077
end record;
pragma Convention (C_Pass_By_Copy, VkRayTracingPipelineCreateInfoKHR); -- vulkan_core.h:12063
type VkPhysicalDeviceRayTracingPipelineFeaturesKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:12081
pNext : System.Address; -- vulkan_core.h:12082
rayTracingPipeline : aliased VkBool32; -- vulkan_core.h:12083
rayTracingPipelineShaderGroupHandleCaptureReplay : aliased VkBool32; -- vulkan_core.h:12084
rayTracingPipelineShaderGroupHandleCaptureReplayMixed : aliased VkBool32; -- vulkan_core.h:12085
rayTracingPipelineTraceRaysIndirect : aliased VkBool32; -- vulkan_core.h:12086
rayTraversalPrimitiveCulling : aliased VkBool32; -- vulkan_core.h:12087
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceRayTracingPipelineFeaturesKHR); -- vulkan_core.h:12080
type VkPhysicalDeviceRayTracingPipelinePropertiesKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:12091
pNext : System.Address; -- vulkan_core.h:12092
shaderGroupHandleSize : aliased stdint_h.uint32_t; -- vulkan_core.h:12093
maxRayRecursionDepth : aliased stdint_h.uint32_t; -- vulkan_core.h:12094
maxShaderGroupStride : aliased stdint_h.uint32_t; -- vulkan_core.h:12095
shaderGroupBaseAlignment : aliased stdint_h.uint32_t; -- vulkan_core.h:12096
shaderGroupHandleCaptureReplaySize : aliased stdint_h.uint32_t; -- vulkan_core.h:12097
maxRayDispatchInvocationCount : aliased stdint_h.uint32_t; -- vulkan_core.h:12098
shaderGroupHandleAlignment : aliased stdint_h.uint32_t; -- vulkan_core.h:12099
maxRayHitAttributeSize : aliased stdint_h.uint32_t; -- vulkan_core.h:12100
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceRayTracingPipelinePropertiesKHR); -- vulkan_core.h:12090
type VkStridedDeviceAddressRegionKHR is record
deviceAddress : aliased VkDeviceAddress; -- vulkan_core.h:12104
stride : aliased VkDeviceSize; -- vulkan_core.h:12105
size : aliased VkDeviceSize; -- vulkan_core.h:12106
end record;
pragma Convention (C_Pass_By_Copy, VkStridedDeviceAddressRegionKHR); -- vulkan_core.h:12103
type VkTraceRaysIndirectCommandKHR is record
width : aliased stdint_h.uint32_t; -- vulkan_core.h:12110
height : aliased stdint_h.uint32_t; -- vulkan_core.h:12111
depth : aliased stdint_h.uint32_t; -- vulkan_core.h:12112
end record;
pragma Convention (C_Pass_By_Copy, VkTraceRaysIndirectCommandKHR); -- vulkan_core.h:12109
type PFN_vkCmdTraceRaysKHR is access procedure
(arg1 : VkCommandBuffer;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address;
arg5 : System.Address;
arg6 : stdint_h.uint32_t;
arg7 : stdint_h.uint32_t;
arg8 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdTraceRaysKHR); -- vulkan_core.h:12115
type PFN_vkCreateRayTracingPipelinesKHR is access function
(arg1 : VkDevice;
arg2 : VkDeferredOperationKHR;
arg3 : VkPipelineCache;
arg4 : stdint_h.uint32_t;
arg5 : System.Address;
arg6 : System.Address;
arg7 : System.Address) return VkResult;
pragma Convention (C, PFN_vkCreateRayTracingPipelinesKHR); -- vulkan_core.h:12116
type PFN_vkGetRayTracingCaptureReplayShaderGroupHandlesKHR is access function
(arg1 : VkDevice;
arg2 : VkPipeline;
arg3 : stdint_h.uint32_t;
arg4 : stdint_h.uint32_t;
arg5 : crtdefs_h.size_t;
arg6 : System.Address) return VkResult;
pragma Convention (C, PFN_vkGetRayTracingCaptureReplayShaderGroupHandlesKHR); -- vulkan_core.h:12117
type PFN_vkCmdTraceRaysIndirectKHR is access procedure
(arg1 : VkCommandBuffer;
arg2 : System.Address;
arg3 : System.Address;
arg4 : System.Address;
arg5 : System.Address;
arg6 : VkDeviceAddress);
pragma Convention (C, PFN_vkCmdTraceRaysIndirectKHR); -- vulkan_core.h:12118
type PFN_vkGetRayTracingShaderGroupStackSizeKHR is access function
(arg1 : VkDevice;
arg2 : VkPipeline;
arg3 : stdint_h.uint32_t;
arg4 : VkShaderGroupShaderKHR) return VkDeviceSize;
pragma Convention (C, PFN_vkGetRayTracingShaderGroupStackSizeKHR); -- vulkan_core.h:12119
type PFN_vkCmdSetRayTracingPipelineStackSizeKHR is access procedure (arg1 : VkCommandBuffer; arg2 : stdint_h.uint32_t);
pragma Convention (C, PFN_vkCmdSetRayTracingPipelineStackSizeKHR); -- vulkan_core.h:12120
procedure vkCmdTraceRaysKHR
(commandBuffer : VkCommandBuffer;
pRaygenShaderBindingTable : System.Address;
pMissShaderBindingTable : System.Address;
pHitShaderBindingTable : System.Address;
pCallableShaderBindingTable : System.Address;
width : stdint_h.uint32_t;
height : stdint_h.uint32_t;
depth : stdint_h.uint32_t); -- vulkan_core.h:12123
pragma Import (C, vkCmdTraceRaysKHR, "vkCmdTraceRaysKHR");
function vkCreateRayTracingPipelinesKHR
(device : VkDevice;
deferredOperation : VkDeferredOperationKHR;
pipelineCache : VkPipelineCache;
createInfoCount : stdint_h.uint32_t;
pCreateInfos : System.Address;
pAllocator : System.Address;
pPipelines : System.Address) return VkResult; -- vulkan_core.h:12133
pragma Import (C, vkCreateRayTracingPipelinesKHR, "vkCreateRayTracingPipelinesKHR");
function vkGetRayTracingCaptureReplayShaderGroupHandlesKHR
(device : VkDevice;
pipeline : VkPipeline;
firstGroup : stdint_h.uint32_t;
groupCount : stdint_h.uint32_t;
dataSize : crtdefs_h.size_t;
pData : System.Address) return VkResult; -- vulkan_core.h:12142
pragma Import (C, vkGetRayTracingCaptureReplayShaderGroupHandlesKHR, "vkGetRayTracingCaptureReplayShaderGroupHandlesKHR");
procedure vkCmdTraceRaysIndirectKHR
(commandBuffer : VkCommandBuffer;
pRaygenShaderBindingTable : System.Address;
pMissShaderBindingTable : System.Address;
pHitShaderBindingTable : System.Address;
pCallableShaderBindingTable : System.Address;
indirectDeviceAddress : VkDeviceAddress); -- vulkan_core.h:12150
pragma Import (C, vkCmdTraceRaysIndirectKHR, "vkCmdTraceRaysIndirectKHR");
function vkGetRayTracingShaderGroupStackSizeKHR
(device : VkDevice;
pipeline : VkPipeline;
group : stdint_h.uint32_t;
groupShader : VkShaderGroupShaderKHR) return VkDeviceSize; -- vulkan_core.h:12158
pragma Import (C, vkGetRayTracingShaderGroupStackSizeKHR, "vkGetRayTracingShaderGroupStackSizeKHR");
procedure vkCmdSetRayTracingPipelineStackSizeKHR (commandBuffer : VkCommandBuffer; pipelineStackSize : stdint_h.uint32_t); -- vulkan_core.h:12164
pragma Import (C, vkCmdSetRayTracingPipelineStackSizeKHR, "vkCmdSetRayTracingPipelineStackSizeKHR");
type VkPhysicalDeviceRayQueryFeaturesKHR is record
sType : aliased VkStructureType; -- vulkan_core.h:12174
pNext : System.Address; -- vulkan_core.h:12175
rayQuery : aliased VkBool32; -- vulkan_core.h:12176
end record;
pragma Convention (C_Pass_By_Copy, VkPhysicalDeviceRayQueryFeaturesKHR); -- vulkan_core.h:12173
end Vulkan.vulkan_core_h;
|
zhmu/ananas | Ada | 3,761 | ads | ------------------------------------------------------------------------------
-- --
-- GNAT COMPILER COMPONENTS --
-- --
-- S Y S T E M . I M G _ L L F --
-- --
-- S p e c --
-- --
-- Copyright (C) 2021-2022, Free Software Foundation, Inc. --
-- --
-- GNAT is free software; you can redistribute it and/or modify it under --
-- terms of the GNU General Public License as published by the Free Soft- --
-- ware Foundation; either version 3, or (at your option) any later ver- --
-- sion. GNAT is distributed in the hope that it will be useful, but WITH- --
-- OUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY --
-- or FITNESS FOR A PARTICULAR PURPOSE. --
-- --
-- As a special exception under Section 7 of GPL version 3, you are granted --
-- additional permissions described in the GCC Runtime Library Exception, --
-- version 3.1, as published by the Free Software Foundation. --
-- --
-- You should have received a copy of the GNU General Public License and --
-- a copy of the GCC Runtime Library Exception along with this program; --
-- see the files COPYING3 and COPYING.RUNTIME respectively. If not, see --
-- <http://www.gnu.org/licenses/>. --
-- --
-- GNAT was originally developed by the GNAT team at New York University. --
-- Extensive contributions were provided by Ada Core Technologies Inc. --
-- --
------------------------------------------------------------------------------
-- This package contains routines for the Image attribute of floating point
-- types based on Long_Long_Float, also used for Float_IO output.
with System.Img_LLU;
with System.Image_R;
with System.Powten_LLF;
with System.Unsigned_Types;
package System.Img_LLF is
pragma Pure;
-- Note that the following instantiation is really for a 32-bit target,
-- where 128-bit integer types are not available. For a 64-bit targaet,
-- it is possible to use Long_Long_Unsigned and Long_Long_Long_Unsigned
-- instead of Unsigned and Long_Long_Unsigned, in order to double the
-- number of significant digits. But we do not do it by default to avoid
-- dragging 128-bit integer types for the sake of backward compatibility.
package Impl is new Image_R
(Long_Long_Float,
System.Powten_LLF.Maxpow,
System.Powten_LLF.Powten'Address,
Unsigned_Types.Long_Long_Unsigned,
System.Img_LLU.Set_Image_Long_Long_Unsigned);
procedure Image_Long_Long_Float
(V : Long_Long_Float;
S : in out String;
P : out Natural;
Digs : Natural)
renames Impl.Image_Floating_Point;
procedure Set_Image_Long_Long_Float
(V : Long_Long_Float;
S : in out String;
P : in out Natural;
Fore : Natural;
Aft : Natural;
Exp : Natural)
renames Impl.Set_Image_Real;
end System.Img_LLF;
|
zhmu/ananas | Ada | 211 | ads | generic
type Index_T is range <>;
package Inline18_Gen3 is
generic
package Inner_G is
function Next (Position : Index_T) return Index_T;
pragma Inline (Next);
end Inner_G;
end Inline18_Gen3;
|
stcarrez/ada-util | Ada | 1,201 | ads | -----------------------------------------------------------------------
-- util-properties-form-tests -- Test reading form file into properties
-- Copyright (C) 2020 Stephane Carrez
-- Written by Stephane Carrez ([email protected])
--
-- Licensed under the Apache License, Version 2.0 (the "License");
-- you may not use this file except in compliance with the License.
-- You may obtain a copy of the License at
--
-- http://www.apache.org/licenses/LICENSE-2.0
--
-- Unless required by applicable law or agreed to in writing, software
-- distributed under the License is distributed on an "AS IS" BASIS,
-- WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-- See the License for the specific language governing permissions and
-- limitations under the License.
-----------------------------------------------------------------------
with Util.Tests;
package Util.Properties.Form.Tests is
procedure Add_Tests (Suite : in Util.Tests.Access_Test_Suite);
type Test is new Util.Tests.Test with null record;
-- Test loading a form file into a properties object.
procedure Test_Parse_Form (T : in out Test);
end Util.Properties.Form.Tests;
|
jhumphry/aLua | Ada | 1,378 | adb | -- Example_Userdata
-- A simple example of an Ada type turned into a Lua userdata type
-- Copyright (c) 2015, James Humphry - see LICENSE for terms
with Ada.Text_IO;
package body Example_Userdata is
function Increment (L : Lua_State'Class) return Natural is
Object : constant access Child
:= Child_Userdata.ToUserdata(L, -1);
begin
Ada.Text_IO.Put_Line(" - Now incrementing the Child userdata object's counter in an Ada function called from Lua -");
Object.Counter := Object.Counter + 1;
return 0;
end Increment;
function Toggle (L : Lua_State'Class) return Natural is
Object : constant access Grandparent'Class
:= Grandparent_Userdata.ToUserdata_Class(L, -1);
begin
Ada.Text_IO.Put_Line(" - Now toggling the Grandparent'Class userdata object's flag in an Ada function called from Lua -");
Object.Flag := not Object.Flag;
return 0;
end Toggle;
procedure Register_Operations(L : Lua_State'Class) is
begin
Grandparent_Userdata.NewMetaTable(L);
Grandparent_Userdata.AddOperation(L, "toggle", Toggle'Access);
L.Pop(L.GetTop);
Child_Userdata.NewMetaTable(L);
Child_Userdata.AddOperation(L, "toggle", Toggle'Access);
Child_Userdata.AddOperation(L, "increment", Increment'Access);
L.Pop(L.GetTop);
end Register_Operations;
end Example_Userdata;
|
LiberatorUSA/GUCEF | Ada | 570 | adb | package body agar.gui.widget.progress_bar is
package cbinds is
procedure set_width
(bar : progress_bar_access_t;
width : c.int);
pragma import (c, set_width, "AG_ProgressBarPercent");
end cbinds;
procedure set_width
(bar : progress_bar_access_t;
width : natural) is
begin
cbinds.set_width
(bar => bar,
width => c.int (width));
end set_width;
function widget (bar : progress_bar_access_t) return widget_access_t is
begin
return bar.widget'access;
end widget;
end agar.gui.widget.progress_bar;
|
reznikmm/matreshka | Ada | 4,565 | adb | ------------------------------------------------------------------------------
-- --
-- Matreshka Project --
-- --
-- Open Document Toolkit --
-- --
-- Runtime Library Component --
-- --
------------------------------------------------------------------------------
-- --
-- Copyright © 2014, Vadim Godunko <[email protected]> --
-- All rights reserved. --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions --
-- are met: --
-- --
-- * Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- --
-- * Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in the --
-- documentation and/or other materials provided with the distribution. --
-- --
-- * Neither the name of the Vadim Godunko, IE nor the names of its --
-- contributors may be used to endorse or promote products derived from --
-- this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED --
-- TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR --
-- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF --
-- LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING --
-- NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS --
-- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
-- $Revision$ $Date$
------------------------------------------------------------------------------
with Matreshka.DOM_Documents;
with Matreshka.ODF_String_Constants;
with ODF.DOM.Iterators;
with ODF.DOM.Visitors;
package body Matreshka.ODF_Fo.Orphans_Attributes is
------------
-- Create --
------------
overriding function Create
(Parameters : not null access Matreshka.DOM_Attributes.Attribute_L2_Parameters)
return Fo_Orphans_Attribute_Node is
begin
return Self : Fo_Orphans_Attribute_Node do
Matreshka.ODF_Fo.Constructors.Initialize
(Self'Unchecked_Access,
Parameters.Document,
Matreshka.ODF_String_Constants.Fo_Prefix);
end return;
end Create;
--------------------
-- Get_Local_Name --
--------------------
overriding function Get_Local_Name
(Self : not null access constant Fo_Orphans_Attribute_Node)
return League.Strings.Universal_String
is
pragma Unreferenced (Self);
begin
return Matreshka.ODF_String_Constants.Orphans_Attribute;
end Get_Local_Name;
begin
Matreshka.DOM_Documents.Register_Attribute
(Matreshka.ODF_String_Constants.Fo_URI,
Matreshka.ODF_String_Constants.Orphans_Attribute,
Fo_Orphans_Attribute_Node'Tag);
end Matreshka.ODF_Fo.Orphans_Attributes;
|
reznikmm/matreshka | Ada | 4,181 | ads | ------------------------------------------------------------------------------
-- --
-- Matreshka Project --
-- --
-- Localization, Internationalization, Globalization for Ada --
-- --
-- Runtime Library Component --
-- --
------------------------------------------------------------------------------
-- --
-- Copyright © 2012, Vadim Godunko <[email protected]> --
-- All rights reserved. --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions --
-- are met: --
-- --
-- * Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- --
-- * Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in the --
-- documentation and/or other materials provided with the distribution. --
-- --
-- * Neither the name of the Vadim Godunko, IE nor the names of its --
-- contributors may be used to endorse or promote products derived from --
-- this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED --
-- TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR --
-- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF --
-- LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING --
-- NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS --
-- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
-- $Revision$ $Date$
------------------------------------------------------------------------------
-- This package provides parameterless signal-slot connector.
------------------------------------------------------------------------------
with League.Objects;
private with Matreshka.Internals.Signals;
package League.Signals is
type Signal (<>) is limited private;
generic
type Object_Type is
abstract limited new League.Objects.Object with private;
with procedure Slot (Self : not null access Object_Type) is abstract;
package Generic_Slot is
procedure Connect
(Self : Signal;
Object : not null access Object_Type'Class);
end Generic_Slot;
private
type Signal
(Emitter :
not null access Matreshka.Internals.Signals.Abstract_Emitter'Class)
is new Matreshka.Internals.Signals.Abstract_Signal (Emitter)
with null record;
end League.Signals;
|
reznikmm/matreshka | Ada | 4,316 | ads | ------------------------------------------------------------------------------
-- --
-- Matreshka Project --
-- --
-- Web Framework --
-- --
-- Runtime Library Component --
-- --
------------------------------------------------------------------------------
-- --
-- Copyright © 2012, Vadim Godunko <[email protected]> --
-- All rights reserved. --
-- --
-- Redistribution and use in source and binary forms, with or without --
-- modification, are permitted provided that the following conditions --
-- are met: --
-- --
-- * Redistributions of source code must retain the above copyright --
-- notice, this list of conditions and the following disclaimer. --
-- --
-- * Redistributions in binary form must reproduce the above copyright --
-- notice, this list of conditions and the following disclaimer in the --
-- documentation and/or other materials provided with the distribution. --
-- --
-- * Neither the name of the Vadim Godunko, IE nor the names of its --
-- contributors may be used to endorse or promote products derived from --
-- this software without specific prior written permission. --
-- --
-- THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS --
-- "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT --
-- LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR --
-- A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT --
-- HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, --
-- SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED --
-- TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR --
-- PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF --
-- LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING --
-- NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS --
-- SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --
-- --
------------------------------------------------------------------------------
-- $Revision$ $Date$
------------------------------------------------------------------------------
with Ada.Tags;
with League.Strings;
with AWF.Internals.AWF_Widgets;
package AWF.Registry is
procedure Register_Widget
(Widget : not null AWF.Internals.AWF_Widgets.AWF_Widget_Proxy_Access);
-- Register widget.
function Resolve
(Path : League.Strings.Universal_String)
return AWF.Internals.AWF_Widgets.AWF_Widget_Proxy_Access;
-- Resolve specified path and returns corresponding widget.
function Root return AWF.Internals.AWF_Widgets.AWF_Widget_Proxy_Access;
-- Returns root widget.
type Callback_Access is
access procedure
(Widget : not null AWF.Internals.AWF_Widgets.AWF_Widget_Proxy_Access);
procedure Register_Callback
(Class : Ada.Tags.Tag;
Id : League.Strings.Universal_String;
Callback : not null Callback_Access);
-- Register callback handler.
function Resolve
(Class : Ada.Tags.Tag;
Id : League.Strings.Universal_String) return Callback_Access;
end AWF.Registry;
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.