text
stringlengths
9
39.2M
dir
stringlengths
26
295
lang
stringclasses
185 values
created_date
timestamp[us]
updated_date
timestamp[us]
repo_name
stringlengths
1
97
repo_full_name
stringlengths
7
106
star
int64
1k
183k
len_tokens
int64
1
13.8M
```xml import { ComponentDesignProp, useFluentContext } from '@fluentui/react-bindings'; import { RendererParam } from '@fluentui/react-northstar-styles-renderer'; import * as customPropTypes from '@fluentui/react-proptypes'; import { ICSSInJSStyle } from '@fluentui/styles'; import * as React from 'react'; import * as PropTypes from 'prop-types'; import { ReactChildren } from '../../types'; export type DesignProps = { /** A render function that receives the generated className as its only argument */ children: (args: { className: string }) => ReactChildren; /** Design config takes a limited set of layout and position CSS properties. */ config: ComponentDesignProp; }; /** * The Design component provides a theme safe subset of CSS for designing layouts. */ // eslint-disable-next-line @typescript-eslint/no-unused-vars export function Design<DesignProps>({ config, children }) { const context = useFluentContext(); const getConfig = React.useCallback(() => config, [config]); // Heads Up! Keep in sync with renderComponent.tsx const styleParam: RendererParam = { displayName: Design.displayName, disableAnimations: context.disableAnimations, direction: context.rtl ? 'rtl' : 'ltr', sanitizeCss: context.performance.enableSanitizeCssPlugin, }; const className = context.renderer.renderRule(getConfig as ICSSInJSStyle, styleParam); return children({ className }); } Design.displayName = 'Design'; Design.propTypes = { children: PropTypes.func.isRequired, config: customPropTypes.design.isRequired, }; ```
/content/code_sandbox/packages/fluentui/react-northstar/src/components/Design/Design.tsx
xml
2016-06-06T15:03:44
2024-08-16T18:49:29
fluentui
microsoft/fluentui
18,221
338
```xml // // // path_to_url // // Unless required by applicable law or agreed to in writing, software // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. import Debug from 'debug'; import {uuid} from '../utils'; import extend from 'extend'; // @ts-ignore import Layout from 'layout'; import * as _ from 'lodash'; import {slides_v1 as SlidesV1} from 'googleapis'; import { ImageDefinition, SlideDefinition, TableDefinition, TextDefinition, VideoDefinition, } from '../slides'; import { findLayoutIdByName, findPlaceholder, findSpeakerNotesObjectId, } from './presentation_helpers'; import assert from 'assert'; const debug = Debug('md2gslides'); interface BoundingBox { height: number; width: number; x: number; y: number; } /** * Performs most of the work of converting a slide into API requests. * */ export default class GenericLayout { public name: string; public presentation: SlidesV1.Schema$Presentation; private slide: SlideDefinition; public constructor( name: string, presentation: SlidesV1.Schema$Presentation, slide: SlideDefinition ) { this.name = name; this.presentation = presentation; this.slide = slide; } public appendCreateSlideRequest( requests: SlidesV1.Schema$Request[] ): SlidesV1.Schema$Request[] { const layoutId = findLayoutIdByName(this.presentation, this.name); if (!layoutId) { throw new Error(`Unable to find layout ${this.name}`); } this.slide.objectId = uuid(); debug('Creating slide %s with layout %s', this.slide.objectId, this.name); requests.push({ createSlide: { slideLayoutReference: { layoutId: layoutId, }, objectId: this.slide.objectId, }, }); return requests; } public appendContentRequests( requests: SlidesV1.Schema$Request[] ): SlidesV1.Schema$Request[] { this.appendFillPlaceholderTextRequest(this.slide.title, 'TITLE', requests); this.appendFillPlaceholderTextRequest( this.slide.title, 'CENTERED_TITLE', requests ); this.appendFillPlaceholderTextRequest( this.slide.subtitle, 'SUBTITLE', requests ); if (this.slide.backgroundImage) { this.appendSetBackgroundImageRequest( this.slide.backgroundImage, requests ); } if (this.slide.tables.length) { this.appendCreateTableRequests(this.slide.tables, requests); } if (this.slide.bodies) { assert(this.slide.objectId); const bodyElements = findPlaceholder( this.presentation, this.slide.objectId, 'BODY' ); const bodyCount = Math.min( bodyElements?.length ?? 0, this.slide.bodies.length ); for (let i = 0; i < bodyCount; ++i) { const placeholder = bodyElements![i]; const body = this.slide.bodies[i]; this.appendFillPlaceholderTextRequest(body.text, placeholder, requests); if (body.images && body.images.length) { this.appendCreateImageRequests(body.images, placeholder, requests); } if (body.videos && body.videos.length) { this.appendCreateVideoRequests(body.videos, placeholder, requests); } } } if (this.slide.notes) { assert(this.slide.objectId); const objectId = findSpeakerNotesObjectId( this.presentation, this.slide.objectId ); this.appendInsertTextRequests( this.slide.notes, {objectId: objectId}, requests ); } return requests; } protected appendFillPlaceholderTextRequest( value: TextDefinition | undefined, placeholder: string | SlidesV1.Schema$PageElement, requests: SlidesV1.Schema$Request[] ): void { if (!value) { debug('No text for placeholder %s'); return; } if (typeof placeholder === 'string') { assert(this.slide.objectId); const pageElements = findPlaceholder( this.presentation, this.slide.objectId, placeholder ); if (!pageElements) { debug('Skipping undefined placeholder %s', placeholder); return; } placeholder = pageElements[0]; } this.appendInsertTextRequests( value, {objectId: placeholder.objectId}, requests ); } protected appendInsertTextRequests( text: TextDefinition, locationProps: | Partial<SlidesV1.Schema$UpdateTextStyleRequest> | Partial<SlidesV1.Schema$CreateParagraphBulletsRequest>, requests: SlidesV1.Schema$Request[] ): void { // Insert the raw text first const request = { insertText: extend( { text: text.rawText, }, locationProps ), }; requests.push(request); // Apply any text styles present. // Most of the work for generating the text runs // is performed when parsing markdown. for (const textRun of text.textRuns) { const request: SlidesV1.Schema$Request = { updateTextStyle: extend( { textRange: { type: 'FIXED_RANGE', startIndex: textRun.start, endIndex: textRun.end, }, style: { bold: textRun.bold, italic: textRun.italic, foregroundColor: textRun.foregroundColor, backgroundColor: textRun.backgroundColor, strikethrough: textRun.strikethrough, underline: textRun.underline, smallCaps: textRun.smallCaps, fontFamily: textRun.fontFamily, fontSize: textRun.fontSize, link: textRun.link, baselineOffset: textRun.baselineOffset, }, }, locationProps ), }; assert(request.updateTextStyle?.style); request.updateTextStyle.fields = this.computeShallowFieldMask( request.updateTextStyle.style ); if (request.updateTextStyle.fields.length) { requests.push(request); // Only push if at least one style set } } // Convert paragraphs to lists. // Note that leading tabs for nested lists in the raw text are removed. // In this case, we're assuming that lists are supplied in order of // appearance and they're non-overlapping. // Processing in the reverse order avoids having to readjust indices. for (const listMarker of _.reverse(text.listMarkers)) { const request = { createParagraphBullets: extend( { textRange: { type: 'FIXED_RANGE', startIndex: listMarker.start, endIndex: listMarker.end, }, bulletPreset: listMarker.type === 'ordered' ? 'NUMBERED_DIGIT_ALPHA_ROMAN' : 'BULLET_DISC_CIRCLE_SQUARE', }, locationProps ), }; requests.push(request); } } protected appendSetBackgroundImageRequest( image: ImageDefinition, requests: SlidesV1.Schema$Request[] ): void { debug( 'Slide #%d: setting background image to %s', this.slide.index, image.url ); requests.push({ updatePageProperties: { objectId: this.slide.objectId, fields: 'pageBackgroundFill.stretchedPictureFill.contentUrl', pageProperties: { pageBackgroundFill: { stretchedPictureFill: { contentUrl: image.url, }, }, }, }, }); } protected appendCreateImageRequests( images: ImageDefinition[], placeholder: SlidesV1.Schema$PageElement | undefined, requests: SlidesV1.Schema$Request[] ): void { // TODO - Fix weird cast const layer = (Layout as (s: string) => Layout.PackingSmith)('left-right'); // TODO - Configurable? for (const image of images) { debug('Slide #%d: adding inline image %s', this.slide.index, image.url); layer.addItem({ width: image.width + image.padding * 2, height: image.height + image.padding * 2, meta: image, }); } const box = this.getBodyBoundingBox(placeholder); const computedLayout = layer.export(); const scaleRatio = Math.min( box.width / computedLayout.width, box.height / computedLayout.height ); const scaledWidth = computedLayout.width * scaleRatio; const scaledHeight = computedLayout.height * scaleRatio; const baseTranslateX = box.x + (box.width - scaledWidth) / 2; const baseTranslateY = box.y + (box.height - scaledHeight) / 2; for (const item of computedLayout.items) { const itemOffsetX = item.meta.offsetX ? item.meta.offsetX : 0; const itemOffsetY = item.meta.offsetY ? item.meta.offsetY : 0; const itemPadding = item.meta.padding ? item.meta.padding : 0; const width = item.meta.width * scaleRatio; const height = item.meta.height * scaleRatio; const translateX = baseTranslateX + (item.x + itemPadding + itemOffsetX) * scaleRatio; const translateY = baseTranslateY + (item.y + itemPadding + itemOffsetY) * scaleRatio; requests.push({ createImage: { elementProperties: { pageObjectId: this.slide.objectId, size: { height: { magnitude: height, unit: 'EMU', }, width: { magnitude: width, unit: 'EMU', }, }, transform: { scaleX: 1, scaleY: 1, translateX: translateX, translateY: translateY, shearX: 0, shearY: 0, unit: 'EMU', }, }, url: item.meta.url, }, }); } } protected appendCreateVideoRequests( videos: VideoDefinition[], placeholder: SlidesV1.Schema$PageElement | undefined, requests: SlidesV1.Schema$Request[] ): void { if (videos.length > 1) { throw new Error('Multiple videos per slide are not supported.'); } const video = videos[0]; debug('Slide #%d: adding video %s', this.slide.index, video.id); const box = this.getBodyBoundingBox(placeholder); const scaleRatio = Math.min( box.width / video.width, box.height / video.height ); const scaledWidth = video.width * scaleRatio; const scaledHeight = video.height * scaleRatio; const translateX = box.x + (box.width - scaledWidth) / 2; const translateY = box.y + (box.height - scaledHeight) / 2; const objectId = uuid(); requests.push({ createVideo: { source: 'YOUTUBE', objectId: objectId, id: video.id, elementProperties: { pageObjectId: this.slide.objectId, size: { height: { magnitude: scaledHeight, unit: 'EMU', }, width: { magnitude: scaledWidth, unit: 'EMU', }, }, transform: { scaleX: 1, scaleY: 1, translateX: translateX, translateY: translateY, shearX: 0, shearY: 0, unit: 'EMU', }, }, }, }); requests.push({ updateVideoProperties: { objectId: objectId, fields: 'autoPlay', videoProperties: { autoPlay: video.autoPlay, }, }, }); } protected appendCreateTableRequests( tables: TableDefinition[], requests: SlidesV1.Schema$Request[] ): void { if (tables.length > 1) { throw new Error('Multiple tables per slide are not supported.'); } const table = tables[0]; const tableId = uuid(); requests.push({ createTable: { objectId: tableId, elementProperties: { pageObjectId: this.slide.objectId, // Use default size/transform for tables }, rows: table.rows, columns: table.columns, }, }); for (const r in table.cells) { const row = table.cells[r]; for (const c in row) { this.appendInsertTextRequests( row[c], { objectId: tableId, cellLocation: { rowIndex: parseInt(r), columnIndex: parseInt(c), }, }, requests ); } } } protected calculateBoundingBox( element: SlidesV1.Schema$PageElement ): BoundingBox { assert(element); assert(element.size?.height?.magnitude); assert(element.size?.width?.magnitude); const height = element.size.height.magnitude; const width = element.size.width.magnitude; const scaleX = element.transform?.scaleX ?? 1; const scaleY = element.transform?.scaleY ?? 1; const shearX = element.transform?.shearX ?? 0; const shearY = element.transform?.shearY ?? 0; return { width: scaleX * width + shearX * height, height: scaleY * height + shearY * width, x: element.transform?.translateX ?? 0, y: element.transform?.translateY ?? 0, }; } protected getBodyBoundingBox( placeholder: SlidesV1.Schema$PageElement | undefined ): BoundingBox { if (placeholder) { return this.calculateBoundingBox(placeholder); } assert(this.presentation.pageSize?.width?.magnitude); assert(this.presentation.pageSize?.height?.magnitude); return { width: this.presentation.pageSize.width.magnitude, height: this.presentation.pageSize.height.magnitude, x: 0, y: 0, }; } protected computeShallowFieldMask<T>(object: T): string { const fields = []; for (const field of Object.keys(object)) { if (object[field as keyof T] !== undefined) { fields.push(field); } } return fields.join(','); } } ```
/content/code_sandbox/src/layout/generic_layout.ts
xml
2016-11-07T19:54:09
2024-08-07T17:41:06
md2googleslides
googleworkspace/md2googleslides
4,464
3,059
```xml /* eslint-disable */ /** * This file was automatically generated by json-schema-to-typescript. * DO NOT MODIFY IT BY HAND. Instead, modify the source JSONSchema file, * and run json-schema-to-typescript to regenerate this file. */ /** * Number of document updates failed to be loaded by client */ export interface HttpsProtonMeDocsDocumentUpdatesLoadErrorTotalV1SchemaJson { Labels: { type: "server_error" | "network_error" | "decryption_error" | "verification_error" | "unknown"; }; Value: number; } ```
/content/code_sandbox/packages/metrics/types/docs_document_updates_load_error_total_v1.schema.d.ts
xml
2016-06-08T11:16:51
2024-08-16T14:14:27
WebClients
ProtonMail/WebClients
4,300
121
```xml <?xml version="1.0" encoding="utf-8"?> <Project ToolsVersion="4.0" xmlns="path_to_url"> <ItemGroup> <Filter Include=""> <UniqueIdentifier>{4FC737F1-C7A5-4376-A066-2A32D752A2FF}</UniqueIdentifier> <Extensions>cpp;c;cc;cxx;def;odl;idl;hpj;bat;asm;asmx</Extensions> </Filter> <Filter Include=""> <UniqueIdentifier>{93995380-89BD-4b04-88EB-625FBE52EBFB}</UniqueIdentifier> <Extensions>h;hh;hpp;hxx;hm;inl;inc;xsd</Extensions> </Filter> <Filter Include=""> <UniqueIdentifier>{67DA6AB6-F800-4c08-8B7A-83BB121AAD01}</UniqueIdentifier> <Extensions>rc;ico;cur;bmp;dlg;rc2;rct;bin;rgs;gif;jpg;jpeg;jpe;resx;tiff;tif;png;wav;mfcribbon-ms</Extensions> </Filter> </ItemGroup> <ItemGroup> <Text Include="ReadMe.txt" /> </ItemGroup> <ItemGroup> <ClInclude Include="stdafx.h"> <Filter></Filter> </ClInclude> <ClInclude Include="targetver.h"> <Filter></Filter> </ClInclude> </ItemGroup> <ItemGroup> <ClCompile Include="stdafx.cpp"> <Filter></Filter> </ClCompile> <ClCompile Include="RCMake.cpp"> <Filter></Filter> </ClCompile> </ItemGroup> </Project> ```
/content/code_sandbox/RCMake/RCMake.vcxproj.filters
xml
2016-11-26T06:45:37
2024-08-16T18:05:44
Dism-Multi-language
Chuyu-Team/Dism-Multi-language
14,399
388
```xml // Type definitions for iview 3.3.1 // Project: path_to_url // Definitions by: yangdan // Definitions: path_to_url import Vue, { VNode } from 'vue'; export declare class DatePicker extends Vue { /** * datedaterangedatetimedatetimerangeyearmonth'|'date */ type?: 'date' | 'daterange' | 'datetime' | 'datetimerange' | 'year' | 'month'; /** * JavaScript Date new Date() * value v-model Date @on-change */ value?: Date; /** * * date | daterange?: yyyy-MM-dd * datetime | datetimerangeyyyy-MM-dd HH:mm:ss * yearyyyy * monthyyyy-MM */ format?: string; /** * * top,top-start,top-end, * bottom,bottom-start,bottom-end, * left,left-start,left-end, * right,right-start,right-end * 2.12.0 * @default bottom-start */ placement?: 'top' | 'top-start' | 'top-end' | 'bottom' | 'bottom-start' | 'bottom-end' | 'left' | 'left-start' | 'left-end' | 'right' | 'right-start' | 'right-end' /** * * @default */ placeholder?: string; /** * */ options?: DatePickerOptions; /** * daterange datetimerange * @default false */ 'split-panels'?: boolean; /** * date * @default false */ multiple?: boolean; /** * * @default false */ 'show-week-numbers': boolean; /** * */ 'start-date'?: Date; /** * , * @default false */ confirm?: boolean; /** * true false * slot confirm * @default null */ open?: boolean; /** * largesmalldefault */ size?: '' | 'large' | 'small' | 'default'; /** * * @default false */ disabled?: boolean; /** * * @default true */ clearable?: boolean; /** * open * @default false */ readonly?: boolean; /** * slot * @default true */ editable?: boolean; /** * body Tabs fixed Table * , * @default false */ transfer?: boolean; /** * id Form */ 'element-id'?: string; /** * type datetime datetimerange TimePicker * steps:time-picker-options="{steps: [1, 10, 10]}" * @default {} */ 'time-picker-options'?: object; /** * */ 'separator'?: string; /** * 2016-01-01 */ $emit(eventName: 'on-change', value: string): this; /** * */ $emit(eventName: 'on-open-change', value: boolean): this; /** * confirm */ $emit(eventName: 'on-ok'): this; /** * confirm clearable = true */ $emit(eventName: 'on-clear'): this; /** * */ $emit(eventName: 'on-clickoutside',event: MouseEvent): this; /** * slot */ $slots: { /** * open */ '': VNode[]; }; } export declare class DatePickerOptions { /** * * text * value?: onClick * onClick?: Vue */ shortcuts?: { text?: string, value?: () => void, onClick?: () => void }[]; /** * Boolean */ disabledDate(): boolean; } ```
/content/code_sandbox/types/date-picker.d.ts
xml
2016-07-28T01:52:59
2024-08-16T10:15:08
iview
iview/iview
23,980
903
```xml <?xml version="1.0" encoding="UTF-8" ?> <!DOCTYPE mapper PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN" "path_to_url" > <mapper namespace="com.megagao.production.ssm.mapper.MaterialConsumeMapper" > <resultMap id="BaseResultMap" type="com.megagao.production.ssm.domain.vo.MaterialConsumeVO" > <id column="consume_id" property="consumeId" jdbcType="VARCHAR" /> <result column="consume_amount" property="consumeAmount" jdbcType="INTEGER" /> <result column="consume_date" property="consumeDate" jdbcType="TIMESTAMP" /> <result column="sender" property="sender" jdbcType="VARCHAR" /> <result column="receiver" property="receiver" jdbcType="VARCHAR" /> <result column="note" property="note" jdbcType="VARCHAR" /> <association property="work" javaType="work"> <id column="work_id" property="workId" jdbcType="VARCHAR" /> <result column="process_number" property="processNumber" jdbcType="VARCHAR" /> <result column="product_id" property="productId" jdbcType="VARCHAR" /> <result column="process_id" property="processId" jdbcType="VARCHAR" /> <result column="equipment_id" property="equipmentId" jdbcType="VARCHAR" /> <result column="rating" property="rating" jdbcType="INTEGER" /> </association> <association property="material" javaType="material"> <id column="material_id" property="materialId" jdbcType="VARCHAR" /> <result column="material_type" property="materialType" jdbcType="VARCHAR" /> <result column="status" property="status" jdbcType="VARCHAR" /> <result column="remaining" property="remaining" jdbcType="INTEGER" /> <result column="note" property="note" jdbcType="VARCHAR" /> </association> </resultMap> <!-- sql --> <!-- --> <select id="find" parameterType="MaterialConsume" resultMap="BaseResultMap"> SELECT consume_id, consume_amount, consume_date, sender, receiver, material_consume.note, material.material_id, work.work_id FROM material_consume LEFT JOIN material ON material_consume.material_id = material.material_id LEFT JOIN work ON material_consume.work_id = work.work_id </select> <!-- --> <delete id="deleteBatch"> DELETE FROM material_consume WHERE consume_id IN <foreach collection="array" item="id" open="(" close=")" separator=","> #{id} </foreach> </delete> <!-- --> <update id="updateNote" parameterType="com.megagao.production.ssm.domain.MaterialConsume" > UPDATE material_consume SET note = #{note} WHERE consume_id = #{consumeId,jdbcType=VARCHAR} </update> <!-- consumeID --> <select id="searchMaterialConsumeByConsumeId" parameterType="string" resultMap="BaseResultMap"> SELECT consume_id, consume_amount, consume_date, sender, receiver, material_consume.note, material.material_id, work.work_id FROM material_consume LEFT JOIN material ON material_consume.material_id=material.material_id LEFT JOIN work ON material_consume.work_id=work.work_id WHERE consume_id like CONCAT('%',#{consumeId},'%' ) </select> <!-- materialID --> <select id="searchMaterialConsumeByMaterialId" parameterType="string" resultMap="BaseResultMap"> SELECT consume_id, consume_amount, consume_date, sender, receiver, material_consume.note, material.material_id, work.work_id FROM material_consume LEFT JOIN material ON material_consume.material_id=material.material_id LEFT JOIN work ON material_consume.work_id=work.work_id where material_consume.material_id like CONCAT('%',#{materialId},'%' ) </select> <!-- workID --> <select id="searchMaterialConsumeByWorkId" parameterType="string" resultMap="BaseResultMap"> SELECT consume_id, consume_amount, consume_date, sender, receiver, material_consume.note, material.material_id, work.work_id FROM material_consume LEFT JOIN material ON material_consume.material_id=material.material_id LEFT JOIN work ON material_consume.work_id=work.work_id WHERE material_consume.work_id like CONCAT('%',#{workId},'%' ) </select> <sql id="Example_Where_Clause" > <where > <foreach collection="oredCriteria" item="criteria" separator="or" > <if test="criteria.valid" > <trim prefix="(" suffix=")" prefixOverrides="and" > <foreach collection="criteria.criteria" item="criterion" > <choose > <when test="criterion.noValue" > and ${criterion.condition} </when> <when test="criterion.singleValue" > and ${criterion.condition} #{criterion.value} </when> <when test="criterion.betweenValue" > and ${criterion.condition} #{criterion.value} and #{criterion.secondValue} </when> <when test="criterion.listValue" > and ${criterion.condition} <foreach collection="criterion.value" item="listItem" open="(" close=")" separator="," > #{listItem} </foreach> </when> </choose> </foreach> </trim> </if> </foreach> </where> </sql> <sql id="Update_By_Example_Where_Clause" > <where > <foreach collection="example.oredCriteria" item="criteria" separator="or" > <if test="criteria.valid" > <trim prefix="(" suffix=")" prefixOverrides="and" > <foreach collection="criteria.criteria" item="criterion" > <choose > <when test="criterion.noValue" > and ${criterion.condition} </when> <when test="criterion.singleValue" > and ${criterion.condition} #{criterion.value} </when> <when test="criterion.betweenValue" > and ${criterion.condition} #{criterion.value} and #{criterion.secondValue} </when> <when test="criterion.listValue" > and ${criterion.condition} <foreach collection="criterion.value" item="listItem" open="(" close=")" separator="," > #{listItem} </foreach> </when> </choose> </foreach> </trim> </if> </foreach> </where> </sql> <sql id="Base_Column_List" > consume_id, work_id, material_id, consume_amount, consume_date, sender, receiver, note </sql> <select id="selectByExample" resultMap="BaseResultMap" parameterType="com.megagao.production.ssm.domain.MaterialConsumeExample" > select <if test="distinct" > distinct </if> <include refid="Base_Column_List" /> from material_consume <if test="_parameter != null" > <include refid="Example_Where_Clause" /> </if> <if test="orderByClause != null" > order by ${orderByClause} </if> </select> <select id="selectByPrimaryKey" resultMap="BaseResultMap" parameterType="java.lang.String" > select <include refid="Base_Column_List" /> from material_consume where consume_id = #{consumeId,jdbcType=VARCHAR} </select> <delete id="deleteByPrimaryKey" parameterType="java.lang.String" > delete from material_consume where consume_id = #{consumeId,jdbcType=VARCHAR} </delete> <delete id="deleteByExample" parameterType="com.megagao.production.ssm.domain.MaterialConsumeExample" > delete from material_consume <if test="_parameter != null" > <include refid="Example_Where_Clause" /> </if> </delete> <insert id="insert" parameterType="com.megagao.production.ssm.domain.MaterialConsume" > insert into material_consume (consume_id, work_id, material_id, consume_amount, consume_date, sender, receiver, note) values (#{consumeId,jdbcType=VARCHAR}, #{workId,jdbcType=VARCHAR}, #{materialId,jdbcType=VARCHAR}, #{consumeAmount,jdbcType=INTEGER}, #{consumeDate,jdbcType=TIMESTAMP}, #{sender,jdbcType=VARCHAR}, #{receiver,jdbcType=VARCHAR}, #{note,jdbcType=VARCHAR}) </insert> <insert id="insertSelective" parameterType="com.megagao.production.ssm.domain.MaterialConsume" > insert into material_consume <trim prefix="(" suffix=")" suffixOverrides="," > <if test="consumeId != null" > consume_id, </if> <if test="workId != null" > work_id, </if> <if test="materialId != null" > material_id, </if> <if test="consumeAmount != null" > consume_amount, </if> <if test="consumeDate != null" > consume_date, </if> <if test="sender != null" > sender, </if> <if test="receiver != null" > receiver, </if> <if test="note != null" > note, </if> </trim> <trim prefix="values (" suffix=")" suffixOverrides="," > <if test="consumeId != null" > #{consumeId,jdbcType=VARCHAR}, </if> <if test="workId != null" > #{workId,jdbcType=VARCHAR}, </if> <if test="materialId != null" > #{materialId,jdbcType=VARCHAR}, </if> <if test="consumeAmount != null" > #{consumeAmount,jdbcType=INTEGER}, </if> <if test="consumeDate != null" > #{consumeDate,jdbcType=TIMESTAMP}, </if> <if test="sender != null" > #{sender,jdbcType=VARCHAR}, </if> <if test="receiver != null" > #{receiver,jdbcType=VARCHAR}, </if> <if test="note != null" > #{note,jdbcType=VARCHAR}, </if> </trim> </insert> <select id="countByExample" parameterType="com.megagao.production.ssm.domain.MaterialConsumeExample" resultType="java.lang.Integer" > select count(*) from material_consume <if test="_parameter != null" > <include refid="Example_Where_Clause" /> </if> </select> <update id="updateByExampleSelective" parameterType="map" > update material_consume <set > <if test="record.consumeId != null" > consume_id = #{record.consumeId,jdbcType=VARCHAR}, </if> <if test="record.workId != null" > work_id = #{record.workId,jdbcType=VARCHAR}, </if> <if test="record.materialId != null" > material_id = #{record.materialId,jdbcType=VARCHAR}, </if> <if test="record.consumeAmount != null" > consume_amount = #{record.consumeAmount,jdbcType=INTEGER}, </if> <if test="record.consumeDate != null" > consume_date = #{record.consumeDate,jdbcType=TIMESTAMP}, </if> <if test="record.sender != null" > sender = #{record.sender,jdbcType=VARCHAR}, </if> <if test="record.receiver != null" > receiver = #{record.receiver,jdbcType=VARCHAR}, </if> <if test="record.note != null" > note = #{record.note,jdbcType=VARCHAR}, </if> </set> <if test="_parameter != null" > <include refid="Update_By_Example_Where_Clause" /> </if> </update> <update id="updateByExample" parameterType="map" > update material_consume set consume_id = #{record.consumeId,jdbcType=VARCHAR}, work_id = #{record.workId,jdbcType=VARCHAR}, material_id = #{record.materialId,jdbcType=VARCHAR}, consume_amount = #{record.consumeAmount,jdbcType=INTEGER}, consume_date = #{record.consumeDate,jdbcType=TIMESTAMP}, sender = #{record.sender,jdbcType=VARCHAR}, receiver = #{record.receiver,jdbcType=VARCHAR}, note = #{record.note,jdbcType=VARCHAR} <if test="_parameter != null" > <include refid="Update_By_Example_Where_Clause" /> </if> </update> <update id="updateByPrimaryKeySelective" parameterType="com.megagao.production.ssm.domain.MaterialConsume" > update material_consume <set > <if test="workId != null" > work_id = #{workId,jdbcType=VARCHAR}, </if> <if test="materialId != null" > material_id = #{materialId,jdbcType=VARCHAR}, </if> <if test="consumeAmount != null" > consume_amount = #{consumeAmount,jdbcType=INTEGER}, </if> <if test="consumeDate != null" > consume_date = #{consumeDate,jdbcType=TIMESTAMP}, </if> <if test="sender != null" > sender = #{sender,jdbcType=VARCHAR}, </if> <if test="receiver != null" > receiver = #{receiver,jdbcType=VARCHAR}, </if> <if test="note != null" > note = #{note,jdbcType=VARCHAR}, </if> </set> where consume_id = #{consumeId,jdbcType=VARCHAR} </update> <update id="updateByPrimaryKey" parameterType="com.megagao.production.ssm.domain.MaterialConsume" > update material_consume set work_id = #{workId,jdbcType=VARCHAR}, material_id = #{materialId,jdbcType=VARCHAR}, consume_amount = #{consumeAmount,jdbcType=INTEGER}, consume_date = #{consumeDate,jdbcType=TIMESTAMP}, sender = #{sender,jdbcType=VARCHAR}, receiver = #{receiver,jdbcType=VARCHAR}, note = #{note,jdbcType=VARCHAR} where consume_id = #{consumeId,jdbcType=VARCHAR} </update> </mapper> ```
/content/code_sandbox/src/main/java/com/megagao/production/ssm/mapper/MaterialConsumeMapper.xml
xml
2016-09-14T07:36:31
2024-08-01T03:17:34
production_ssm
megagao/production_ssm
1,070
3,391
```xml /** * Shims v8 CommandButtonShim to render a v9 Button */ export { ActionButtonShim as CommandButtonShim } from './ActionButtonShim'; ```
/content/code_sandbox/packages/react-components/react-migration-v8-v9/library/src/components/Button/CommandButtonShim.tsx
xml
2016-06-06T15:03:44
2024-08-16T18:49:29
fluentui
microsoft/fluentui
18,221
37
```xml /* * Squidex Headless CMS * * @license */ import { Pipe, PipeTransform } from '@angular/core'; @Pipe({ name: 'sqxJoin', pure: true, standalone: true, }) export class JoinPipe implements PipeTransform { public transform(value: ReadonlyArray<string>) { return value?.join(', ') || ''; } } ```
/content/code_sandbox/frontend/src/app/framework/angular/pipes/strings.pipes.ts
xml
2016-08-29T05:53:40
2024-08-16T17:39:38
squidex
Squidex/squidex
2,222
80
```xml import * as React from 'react'; import { createSvgIcon } from '@fluentui/react-icons-mdl2'; const OneDriveLogoIcon = createSvgIcon({ svg: ({ classes }) => ( <svg xmlns="path_to_url" viewBox="0 0 2048 2048" className={classes.svg}> <path d="M1660 833q82 5 152 40t123 91 83 129 30 155q0 86-33 161t-89 132-132 90-162 33H512q-106 0-199-40t-162-110-110-163-41-199q0-84 26-161t74-141 113-113 146-74q37-11 72-16t74-7h1q44-67 103-120t128-91 145-57 158-20q109 0 209 35t183 99 142 152 86 195zm-620-353q-113 0-215 46T651 660q38 10 72 25t68 36l408 244 233-98q23-10 46-17t50-13q-25-80-73-145t-112-113-142-73-161-26zm-834 903l846-357-327-196q-50-30-105-46t-113-16q-78 0-147 31t-120 83-82 123-30 147q0 60 20 121t58 110zm1426 153q48 0 92-15t82-44l-617-369-879 370q45 28 96 43t106 15h1120zm257-158q31-62 31-130 0-66-25-120t-67-91-100-58-120-21q-36 0-71 8t-70 22-67 28-65 30l554 332z" /> </svg> ), displayName: 'OneDriveLogoIcon', }); export default OneDriveLogoIcon; ```
/content/code_sandbox/packages/react-icons-mdl2-branded/src/components/OneDriveLogoIcon.tsx
xml
2016-06-06T15:03:44
2024-08-16T18:49:29
fluentui
microsoft/fluentui
18,221
478
```xml import * as React from 'react'; import createSvgIcon from '../utils/createSvgIcon'; const MusicInCollectionFillIcon = createSvgIcon({ svg: ({ classes }) => ( <svg xmlns="path_to_url" viewBox="0 0 2048 2048" className={classes.svg} focusable="false"> <path d="M1792 1408q0 62-29 109t-76 80-104 50-111 17q-54 0-111-17t-103-49-76-80-30-110q0-61 29-109t76-80 104-50 111-17q51 0 100 12t92 39V226L768 450v1214q0 62-29 109t-76 80-104 50-111 17q-54 0-111-17t-103-49-76-80-30-110q0-61 29-109t76-80 104-50 111-17q51 0 100 12t92 39V350L1792 62v1346z" /> </svg> ), displayName: 'MusicInCollectionFillIcon', }); export default MusicInCollectionFillIcon; ```
/content/code_sandbox/packages/react-icons-mdl2/src/components/MusicInCollectionFillIcon.tsx
xml
2016-06-06T15:03:44
2024-08-16T18:49:29
fluentui
microsoft/fluentui
18,221
278
```xml import Vue from 'vue' import Component from 'vue-class-component' import { Inject } from '../../src/decorators/Inject' import { InjectReactive } from '../../src/decorators/InjectReactive' import { Provide } from '../../src/decorators/Provide' import { ProvideReactive } from '../../src/decorators/ProvideReactive' describe(ProvideReactive, () => { describe('when key is not given', () => { const value = 'VALUE' @Component class ParentComponent extends Vue { @ProvideReactive() one = value } @Component class ChildComponent extends Vue { @InjectReactive() one!: string } const parent = new ParentComponent() const component = new ChildComponent({ parent }) test('provides value', () => { expect(component.one).toBe(value) }) describe('when changed', () => { const newValue = 'NEW VALUE' beforeAll(() => { parent.one = newValue }) test('reflects updates', () => { expect(component.one).toBe(newValue) }) }) }) describe('is compatible with @Provide()', () => { @Component class ParentComponent extends Vue { @Provide() first = 'whatever' @ProvideReactive() one = 'one' } @Component class ChildComponent extends Vue { @InjectReactive() one!: string } const parent = new ParentComponent() const component = new ChildComponent({ parent }) test('provides value', () => { expect(component.one).toBe('one') }) }) describe('can @Inject() dependency provided using @ProvideReactive()', () => { @Component class ParentComponent extends Vue { @ProvideReactive() one = 'one' } @Component class ChildComponent extends Vue { @Inject() one!: string } const parent = new ParentComponent() const component = new ChildComponent({ parent }) test('provides value', () => { expect(component.one).toBe('one') }) }) describe('does not override parent reactive dependencies', () => { @Component class ParentComponent extends Vue { @ProvideReactive() root = 'root' } @Component class NodeComponent extends Vue { @ProvideReactive() node = 'node' } @Component class ChildComponent extends Vue { @InjectReactive() root!: string @InjectReactive() node!: string } const parent = new ParentComponent() const node = new NodeComponent({ parent }) const component = new ChildComponent({ parent: node }) test('provides value', () => { expect(component.node).toBe('node') expect(component.root).toBe('root') // <== this one used to throw // check that they update correctly parent.root = 'new root' node.node = 'new node' expect(component.root).toBe('new root') expect(component.node).toBe('new node') }) }) describe('when key is given', () => { const key = 'KEY' const value = 'VALUE' @Component class ParentComponent extends Vue { @ProvideReactive(key) eleven = value } @Component class ChildComponent extends Vue { @InjectReactive(key) one!: string } const parent = new ParentComponent() const component = new ChildComponent({ parent }) test('provides value', () => { expect(component.one).toBe(value) }) describe('when changed', () => { const newValue = 'NEW VALUE' beforeAll(() => { parent.eleven = newValue }) test('reflects updates', () => { expect(component.one).toBe(newValue) }) }) describe('multiple provider chains', () => { const key = 'KEY' const value1 = 'VALUE_1' const value2 = 'VALUE_2' @Component class ParentChain1 extends Vue { @ProvideReactive(key) provided = value1 } @Component class ChildChain1 extends Vue { @InjectReactive(key) injected!: string } @Component class ParentChain2 extends Vue { @ProvideReactive(key) provided = value2 } @Component class ChildChain2 extends Vue { @InjectReactive(key) injected!: string } const parent1 = new ParentChain1() const child1 = new ChildChain1({ parent: parent1 }) const parent2 = new ParentChain2() const child2 = new ChildChain2({ parent: parent2 }) test('respect values in chains', () => { expect(child1.injected).toBe(value1) expect(child2.injected).toBe(value2) }) }) describe('middle component participating in provider chain', () => { const rootKey = Symbol() const middleKey = Symbol() const rootValue = 'ROOT_VALUE' const middleValue = 'MIDDLE_VALUE' @Component class RootComponent extends Vue { @ProvideReactive(rootKey) baz = rootValue } const root = new RootComponent() @Component class MiddleComponent extends Vue { @ProvideReactive(middleKey) foo = middleValue } @Component class ChildComponent extends Vue { @InjectReactive(rootKey) baz!: string @InjectReactive(middleKey) foo!: string } const middle = new MiddleComponent({ parent: root }) const child = new ChildComponent({ parent: middle }) test('provided values from the chain', () => { expect(child.baz).toBe(rootValue) expect(child.foo).toBe(middleValue) }) }) }) }) ```
/content/code_sandbox/tests/decorators/ProvideReactive.spec.ts
xml
2016-01-14T13:16:49
2024-08-14T16:13:55
vue-property-decorator
kaorun343/vue-property-decorator
5,518
1,264
```xml <!-- *********************************************************************************************** Microsoft.NET.Sdk.Web.ProjectSystem.props WARNING: DO NOT MODIFY this file unless you are knowledgeable about MSBuild and have created a backup copy. Incorrect changes to this file will make it impossible to load or build your projects from the command-line or the IDE. *********************************************************************************************** --> <Project xmlns="path_to_url"> <PropertyGroup> <OutputType>Exe</OutputType> <DebugSymbols Condition="'$(DebugSymbols)' == ''">true</DebugSymbols> <DebugType Condition="'$(DebugType)' == ''">full</DebugType> <GenerateDependencyFile Condition="'$(GenerateDependencyFile)' == ''">true</GenerateDependencyFile> <ServerGarbageCollection Condition="'$(ServerGarbageCollection)' == ''">true</ServerGarbageCollection> <IsPackable Condition="'$(IsPackable)' == ''">false</IsPackable> <WarnOnPackingNonPackableProject Condition="'$(WarnOnPackingNonPackableProject)' == '' and '$(IsPackable)' == 'false'">true</WarnOnPackingNonPackableProject> </PropertyGroup> <Import Project="$(MSBuildExtensionsPath)\Microsoft\VisualStudio\v$(VisualStudioVersion)\TypeScript\Microsoft.TypeScript.Default.props" Condition="Exists('$(MSBuildExtensionsPath)\Microsoft\VisualStudio\v$(VisualStudioVersion)\TypeScript\Microsoft.TypeScript.Default.props')"/> <Import Project="$(MSBuildThisFileDirectory)Microsoft.NET.Sdk.Web.DefaultItems.props" Condition="Exists('$(MSBuildThisFileDirectory)Microsoft.NET.Sdk.Web.DefaultItems.props')"/> </Project> ```
/content/code_sandbox/src/WebSdk/ProjectSystem/Targets/Microsoft.NET.Sdk.Web.ProjectSystem.props
xml
2016-07-22T21:26:02
2024-08-16T17:23:58
sdk
dotnet/sdk
2,627
347
```xml /// /// /// /// path_to_url /// /// Unless required by applicable law or agreed to in writing, software /// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. /// import { Component, ElementRef, Input, OnInit, ViewChild } from '@angular/core'; import { WidgetContext } from '@home/models/widget-component.models'; import { ChartType, TbFlotSettings } from '@home/components/widget/lib/flot-widget.models'; import { TbFlot } from '@home/components/widget/lib/flot-widget'; import { defaultLegendConfig, LegendConfig, LegendData, LegendPosition, widgetType } from '@shared/models/widget.models'; import { isDefinedAndNotNull } from '@core/utils'; @Component({ selector: 'tb-flot-widget', templateUrl: './flot-widget.component.html', styleUrls: [] }) export class FlotWidgetComponent implements OnInit { @ViewChild('flotElement', {static: true}) flotElement: ElementRef; @Input() ctx: WidgetContext; @Input() chartType: ChartType; displayLegend: boolean; legendConfig: LegendConfig; legendData: LegendData; isLegendFirst: boolean; legendContainerLayoutType: string; legendStyle: {[klass: string]: any}; public settings: TbFlotSettings; private flot: TbFlot; constructor() { } ngOnInit(): void { this.ctx.$scope.flotWidget = this; this.settings = this.ctx.settings; this.chartType = this.chartType || 'line'; this.configureLegend(); if (this.ctx.datasources?.length) { this.flot = new TbFlot(this.ctx, this.chartType, $(this.flotElement.nativeElement)); } } private configureLegend(): void { this.displayLegend = isDefinedAndNotNull(this.settings.showLegend) ? this.settings.showLegend : false; this.legendContainerLayoutType = 'column'; if (this.displayLegend) { this.legendConfig = this.settings.legendConfig || defaultLegendConfig(widgetType.timeseries); if (this.ctx.defaultSubscription) { this.legendData = this.ctx.defaultSubscription.legendData; } else { this.legendData = { keys: [], data: [] }; } if (this.legendConfig.position === LegendPosition.top || this.legendConfig.position === LegendPosition.bottom) { this.legendContainerLayoutType = 'column'; this.isLegendFirst = this.legendConfig.position === LegendPosition.top; } else { this.legendContainerLayoutType = 'row'; this.isLegendFirst = this.legendConfig.position === LegendPosition.left; } switch (this.legendConfig.position) { case LegendPosition.top: this.legendStyle = { paddingBottom: '8px', maxHeight: '50%', overflowY: 'auto' }; break; case LegendPosition.bottom: this.legendStyle = { paddingTop: '8px', maxHeight: '50%', overflowY: 'auto' }; break; case LegendPosition.left: this.legendStyle = { paddingRight: '0px', maxWidth: '50%', overflowY: 'auto' }; break; case LegendPosition.right: this.legendStyle = { paddingLeft: '0px', maxWidth: '50%', overflowY: 'auto' }; break; } } } public onLegendKeyHiddenChange(index: number) { for (const id of Object.keys(this.ctx.subscriptions)) { const subscription = this.ctx.subscriptions[id]; subscription.updateDataVisibility(index); } } public onDataUpdated() { this.flot.update(); } public onLatestDataUpdated() { this.flot.latestDataUpdate(); } public onResize() { this.flot.resize(); } public onEditModeChanged() { this.flot.checkMouseEvents(); } public onDestroy() { this.flot.destroy(); } } ```
/content/code_sandbox/ui-ngx/src/app/modules/home/components/widget/lib/flot-widget.component.ts
xml
2016-12-01T09:33:30
2024-08-16T19:58:25
thingsboard
thingsboard/thingsboard
16,820
848
```xml <animated-vector xmlns:android="path_to_url" xmlns:aapt="path_to_url"> <aapt:attr name="android:drawable"> <vector android:width="24dp" android:height="24dp" android:tint="?attr/colorControlNormal" android:viewportHeight="24" android:viewportWidth="24"> <path android:name="strike_through" android:pathData="@string/path_password_strike_through" android:strokeColor="@android:color/white" android:strokeLineCap="square" android:strokeWidth="1.8"/> <group> <clip-path android:name="eye_mask" android:pathData="@string/path_password_eye_mask_strike_through"/> <path android:name="eye" android:fillColor="@android:color/white" android:pathData="@string/path_password_eye"/> </group> </vector> </aapt:attr> <target android:name="eye_mask"> <aapt:attr name="android:animation"> <objectAnimator android:duration="@integer/show_password_duration" android:interpolator="@android:interpolator/fast_out_linear_in" android:propertyName="pathData" android:valueFrom="@string/path_password_eye_mask_strike_through" android:valueTo="@string/path_password_eye_mask_visible" android:valueType="pathType"/> </aapt:attr> </target> <target android:name="strike_through"> <aapt:attr name="android:animation"> <objectAnimator android:duration="@integer/show_password_duration" android:interpolator="@android:interpolator/fast_out_linear_in" android:propertyName="trimPathEnd" android:valueFrom="1" android:valueTo="0"/> </aapt:attr> </target> </animated-vector> ```
/content/code_sandbox/app/src/main/res/drawable/avd_trimclip_eye_masked_to_visible.xml
xml
2016-11-04T14:23:35
2024-08-12T07:50:44
adp-delightful-details
alexjlockwood/adp-delightful-details
1,070
402
```xml import * as React from 'react'; import { SlotComponentType, UnknownSlotProps } from '@fluentui/react-utilities'; import { getMetadataFromSlotComponent } from '../utils/getMetadataFromSlotComponent'; import { Runtime } from '../utils/Runtime'; export const jsxsSlot = <Props extends UnknownSlotProps>( type: SlotComponentType<Props>, overrideProps: Props | null, key?: React.Key, ): React.ReactElement<Props> => { const { elementType, renderFunction, props: slotProps } = getMetadataFromSlotComponent(type); const props: Props = { ...slotProps, ...overrideProps }; if (renderFunction) { /** * In static runtime then children is an array and this array won't be keyed. * We should wrap children by a static fragment * as there's no way to know if renderFunction will render statically or dynamically */ return Runtime.jsx( React.Fragment, { children: renderFunction(elementType, { ...props, children: Runtime.jsxs(React.Fragment, { children: props.children }, undefined), }), }, key, ) as React.ReactElement<Props>; } return Runtime.jsxs(elementType, props, key); }; ```
/content/code_sandbox/packages/react-components/react-jsx-runtime/src/jsx/jsxsSlot.ts
xml
2016-06-06T15:03:44
2024-08-16T18:49:29
fluentui
microsoft/fluentui
18,221
263
```xml import { XmlAttributeComponent, XmlComponent } from "@file/xml-components"; // Currently, this is hard-coded for Microsoft word compatSettings. // Theoretically, we could add compatSettings for other programs, but // currently there isn't a need. // <xsd:complexType name="CT_CompatSetting"> // <xsd:attribute name="name" type="s:ST_String"/> // <xsd:attribute name="uri" type="s:ST_String"/> // <xsd:attribute name="val" type="s:ST_String"/> // </xsd:complexType> export class CompatibilitySettingAttributes extends XmlAttributeComponent<{ readonly version: number; readonly name: string; readonly uri: string; }> { protected readonly xmlKeys = { version: "w:val", name: "w:name", uri: "w:uri", }; } // path_to_url export class CompatibilitySetting extends XmlComponent { public constructor(version: number) { super("w:compatSetting"); this.root.push( new CompatibilitySettingAttributes({ version, uri: "path_to_url", name: "compatibilityMode", }), ); } } ```
/content/code_sandbox/src/file/settings/compatibility-setting/compatibility-setting.ts
xml
2016-03-26T23:43:56
2024-08-16T13:02:47
docx
dolanmiu/docx
4,139
251
```xml export interface IUpdateListItem { readonly Title: string; } ```
/content/code_sandbox/samples/react-rhythm-of-business-calendar/src/common/sharepoint/update/IUpdateListItem.ts
xml
2016-08-30T17:21:43
2024-08-16T18:41:32
sp-dev-fx-webparts
pnp/sp-dev-fx-webparts
2,027
14
```xml export const getAllTextNodesInElement = (element: HTMLElement) => { const textNodes: Text[] = [] const walk = document.createTreeWalker(element, NodeFilter.SHOW_TEXT, null) let node = walk.nextNode() while (node) { textNodes.push(node as Text) node = walk.nextNode() } return textNodes } ```
/content/code_sandbox/packages/web/src/javascripts/Components/SuperEditor/Plugins/SearchPlugin/getAllTextNodesInElement.ts
xml
2016-12-05T23:31:33
2024-08-16T06:51:19
app
standardnotes/app
5,180
80
```xml import { QueryRange } from './query-range'; import { Model } from './model'; import ModelQuery from './query'; /* Public: Instances of QueryResultSet hold a set of models retrieved from the database at a given offset. Complete vs Incomplete: QueryResultSet keeps an array of item ids and a lookup table of models. The lookup table may be incomplete if the QuerySubscription isn't finished preparing results. You can use `isComplete` to determine whether the set has every model. Offset vs Index: To avoid confusion, "index" refers to an item's position in an array, and "offset" refers to it's position in the query result set. For example, an item might be at index 20 in the _ids array, but at offset 120 in the result. */ export class QueryResultSet<T extends Model> { _offset: number; _query: ModelQuery<T> | ModelQuery<T[]>; _idToIndexHash?: { [id: string]: number }; _modelsHash?: { [id: string]: T }; _ids: string[] = []; static setByApplyingModels(set, models) { if (models instanceof Array) { throw new Error('setByApplyingModels: A hash of models is required.'); } const out = set.clone(); out._modelsHash = models; out._idToIndexHash = null; return out; } constructor(other: Partial<QueryResultSet<T>> = {}) { this._offset = other._offset !== undefined ? other._offset : null; this._query = other._query !== undefined ? other._query : null; this._idToIndexHash = other._idToIndexHash !== undefined ? other._idToIndexHash : null; // Clone, since the others may be frozen this._modelsHash = Object.assign({}, other._modelsHash || {}); this._ids = [].concat(other._ids || []); } clone() { return new (this.constructor as any)({ _ids: [...this._ids], _modelsHash: { ...this._modelsHash }, _idToIndexHash: { ...this._idToIndexHash }, _query: this._query, _offset: this._offset, }); } isComplete() { return this._ids.every(id => !!this._modelsHash[id]); } range() { return new QueryRange({ offset: this._offset, limit: this._ids.length }); } query() { return this._query; } count() { return this._ids.length; } empty() { return this.count() === 0; } ids() { return this._ids; } idAtOffset(offset: number) { return this._ids[offset - this._offset]; } models() { return this._ids.map(id => this._modelsHash[id]); } modelCacheCount() { return Object.keys(this._modelsHash).length; } modelAtOffset(offset: number) { if (!Number.isInteger(offset)) { throw new Error( 'QueryResultSet.modelAtOffset() takes a numeric index. Maybe you meant modelWithId()?' ); } return this._modelsHash[this._ids[offset - this._offset]]; } modelWithId(id: string): T { return this._modelsHash[id]; } buildIdToIndexHash() { this._idToIndexHash = {}; this._ids.forEach((id, idx) => { this._idToIndexHash[id] = idx; }); } offsetOfId(id: string) { if (this._idToIndexHash === null) { this.buildIdToIndexHash(); } if (this._idToIndexHash[id] === undefined) { return -1; } return this._idToIndexHash[id] + this._offset; } } ```
/content/code_sandbox/app/src/flux/models/query-result-set.ts
xml
2016-10-13T06:45:50
2024-08-16T18:14:37
Mailspring
Foundry376/Mailspring
15,331
849
```xml import { Component } from '@angular/core'; @Component({ selector: 'accessibility-doc', template: ` <div> <app-docsectiontext> <h3>Screen Reader</h3> <p> Scrollbars of the ScrollPanel has a <i>scrollbar</i> role along with the <i>aria-controls</i> attribute that refers to the id of the scrollable content container and the <i>aria-orientation</i> to indicate the orientation of scrolling. </p> <h3>Header Keyboard Support</h3> <div class="doc-tablewrapper"> <table class="doc-table"> <thead> <tr> <th>Key</th> <th>Function</th> </tr> </thead> <tbody> <tr> <td><i>down arrow</i></td> <td>Scrolls content down when vertical scrolling is available.</td> </tr> <tr> <td><i>up arrow</i></td> <td>Scrolls content up when vertical scrolling is available.</td> </tr> <tr> <td><i>left</i></td> <td>Scrolls content left when horizontal scrolling is available.</td> </tr> <tr> <td><i>right</i></td> <td>Scrolls content right when horizontal scrolling is available.</td> </tr> </tbody> </table> </div> </app-docsectiontext> </div>` }) export class AccessibilityDoc {} ```
/content/code_sandbox/src/app/showcase/doc/scrollpanel/accessibilitydoc.ts
xml
2016-01-16T09:23:28
2024-08-16T19:58:20
primeng
primefaces/primeng
9,969
354
```xml <?xml version="1.0" encoding="utf-8"?> <resources> <string name="about_android">Aplicacin %1$s Android</string> <string name="about_title">Sobre</string> <string name="about_version">versin %1$s</string> <string name="about_version_with_build">versin %1$s, construcin n %2$s</string> <string name="account_creation_failed">Produciuse un fallo ao crear a conta</string> <string name="account_icon">Icona da conta</string> <string name="account_not_found">Non se atopou a conta!</string> <string name="action_edit">Editar</string> <string name="action_empty_notifications">Limpar todas as notificacins</string> <string name="action_empty_trashbin">Baleirar o lixo</string> <string name="action_send_share">Enviar/compartir</string> <string name="action_switch_grid_view">Ver como grade</string> <string name="action_switch_list_view">Ver como lista</string> <string name="actionbar_calendar_contacts_restore">Restaurar contactos e calendario</string> <string name="actionbar_mkdir">Novo cartafol</string> <string name="actionbar_move_or_copy">Mover ou copiar</string> <string name="actionbar_open_with">Abrir con</string> <string name="actionbar_search">Buscar</string> <string name="actionbar_see_details">Detalles</string> <string name="actionbar_send_file">Enviar</string> <string name="actionbar_settings">Axustes</string> <string name="actionbar_sort">Ordenar</string> <string name="active_user">Usuario activo</string> <string name="activities_no_results_headline">Anda non houbo actividade</string> <string name="activities_no_results_message">Non houbo eventos como adicins, cambios e elementos compartidos.</string> <string name="activity_chooser_send_file_title">Enviar</string> <string name="activity_chooser_title">Enviar a ligazn a</string> <string name="activity_icon">Actividade</string> <string name="add_another_public_share_link">Engadir outra ligazn</string> <string name="add_new_public_share">Engadir unha nova ligazn pblica</string> <string name="add_new_secure_file_drop">Engadir unha nova entrega segura de ficheiro</string> <string name="add_to_cloud">Engadir en %1$s</string> <string name="advanced_settings">Axustes avanzados</string> <string name="allow_resharing">Permitir compartir</string> <string name="app_config_base_url_title">URL base</string> <string name="app_config_proxy_host_title">Nome do servidor proxy</string> <string name="app_config_proxy_port_title">Porto do proxy</string> <string name="app_widget_description">Amosa un trebello do taboleiro</string> <string name="appbar_search_in">Buscar en %s</string> <string name="assistant_screen_all_task_type">Todo</string> <string name=your_sha256_hashr">Escriba algn texto</string> <string name="assistant_screen_delete_task_alert_dialog_description">Confirma que quere eliminar esta tarefa?</string> <string name="assistant_screen_delete_task_alert_dialog_title">Eliminar tarefa</string> <string name="assistant_screen_failed_task_text">Fallado</string> <string name="assistant_screen_loading">Estase a cargar a lista de tarefas, agarde</string> <string name="assistant_screen_no_task_available_for_all_task_filter_text">Non hai ningunha tarefa dispobel. Seleccione un tipo de tarefa para crear unha nova tarefa.</string> <string name="assistant_screen_no_task_available_text">Non hai ningunha tarefa dispoible para o tipo de tarefa %s, pode crear unha nova dende a parte inferior dereita.</string> <string name="assistant_screen_running_task_text">En proceso</string> <string name="assistant_screen_scheduled_task_status_text">Programado</string> <string name="assistant_screen_successful_task_text">Completado</string> <string name="assistant_screen_task_create_fail_message">Produciuse un erro ao crear a tarefa</string> <string name="assistant_screen_task_create_success_message">A tarefa creouse satisfactoriamente</string> <string name="assistant_screen_task_delete_fail_message">Produciuse un erro ao eliminar a tarefa</string> <string name="assistant_screen_task_delete_success_message">A tarefa foi eliminada satisfactoriamente</string> <string name="assistant_screen_task_list_error_state_message">Non posbel recuperar a lista de tarefas. Comprobe a conexin a Internet.</string> <string name="assistant_screen_task_more_actions_bottom_sheet_delete_action">Eliminar tarefa</string> <string name="assistant_screen_task_types_error_state_message">Non posbel recuperar os tipos de tarefas. Comprobe a conexin a Internet.</string> <string name="assistant_screen_top_bar_title">Asistente</string> <string name="assistant_screen_unknown_task_status_text">Descoecido</string> <string name="assistant_task_detail_screen_input_button_title">Entrada</string> <string name="assistant_task_detail_screen_output_button_title">Sada</string> <string name="associated_account_not_found">Non se atopou unha conta asociada!</string> <string name="auth_access_failed">Acceso fallado: %1$s</string> <string name="auth_account_does_not_exist">A conta anda non existe no dispositivo</string> <string name="auth_account_not_new">Xa existe unha conta neste dispositivo cos mesmos datos de usuario e servidor</string> <string name="auth_account_not_the_same">O usuario que introduciu non coincide co usuario desta conta</string> <string name="auth_bad_oc_version_title">Versin do servidor non recoecida</string> <string name="auth_connection_established">Estabeleceuse a conexin</string> <string name="auth_fail_get_user_name">O seu servidor non est devolvendo unha identificacin de usuario correcta; contacte coa administracin da instancia.</string> <string name="auth_host_url">Enderezo do servidor https://</string> <string name="auth_incorrect_address_title">O formato do enderezo do servidor errneo</string> <string name="auth_incorrect_path_title">Non se atopou o servidor</string> <string name="auth_no_net_conn_title">Sen conexin de rede</string> <string name="auth_nossl_plain_ok_title">Non hai conexins seguras dispobeis.</string> <string name="auth_not_configured_title">Configuracin errada do servidor</string> <string name="auth_oauth_error">A autorizacin non foi aceptada</string> <string name="auth_oauth_error_access_denied">O acceso foi denegado polo servidor de autorizacin</string> <string name="auth_redirect_non_secure_connection_title">A conexin segura est a ser redirixida a travs dunha ruta insegura.</string> <string name="auth_secure_connection">Estabeleceuse unha conexin segura</string> <string name="auth_ssl_general_error_title">Produciuse un fallo ao preparar o SSL</string> <string name="auth_ssl_unverified_server_title">Non foi posbel verificar a identidade do servidor SSL</string> <string name="auth_testing_connection">Probando a conexin</string> <string name="auth_timeout_title">O servidor tardou de mis en responder</string> <string name="auth_trying_to_login">Tentando acceder a</string> <string name="auth_unauthorized">Nome de usuario ou contrasinal errneo</string> <string name="auth_unknown_error_exception_title">Produciuse un erro descoecido: %1$s</string> <string name="auth_unknown_error_http_title">Produciuse un erro HTTP descoecido!</string> <string name="auth_unknown_error_title">Produciuse un erro descoecido!</string> <string name="auth_unknown_host_title">Non foi posbel atopar a mquina</string> <string name="auth_unsupported_multiaccount">%1$s non admite contas mltipes</string> <string name="auth_wrong_connection_title">Non foi posbel estabelecer a conexin</string> <string name="authenticator_activity_cancel_login">Cancelar o acceso</string> <string name="authenticator_activity_login_error">Houbo un problema ao procesar a sa solicitude de acceso. Tnteo de novo mis tarde.</string> <string name="authenticator_activity_please_complete_login_process">Complete o proceso de acceso no seu navegador</string> <string name="auto_upload_file_behaviour_kept_in_folder">mantense no cartafol orixinal, xa que de s lectura</string> <string name="auto_upload_on_wifi">Enviar s con wifi sen lmite de datos</string> <string name="auto_upload_path">/EnvoAutomtico</string> <string name="autoupload_configure">Configurar</string> <string name="autoupload_create_new_custom_folder">Crear un cartafol personalizado novo</string> <string name="autoupload_custom_folder">Configurar un cartafol personalizado</string> <string name="autoupload_disable_power_save_check">Desactivar a comprobacin de aforro de enerxa</string> <string name="autoupload_hide_folder">Agochar o cartafol</string> <string name="autoupload_worker_foreground_info">Preparando o envo automtico</string> <string name="avatar">Avatar</string> <string name="away">Ausente</string> <string name="backup_settings">Axustes da copia de seguranza</string> <string name="backup_title">Copia de seguranza do calendario e de contactos</string> <string name="battery_optimization_close">Pechar</string> <string name="battery_optimization_disable">Desactivar</string> <string name="battery_optimization_message"> posbel que o seu dispositivo tea activada a optimizacin da batera. O envo automtico s funciona correctamente se excle esta aplicacin.</string> <string name="battery_optimization_title">Optimizacin da batera</string> <string name="brute_force_delay">Atrasado por mor de demasiados intentos errados</string> <string name="calendar">Calendario</string> <string name="calendars">Calendarios</string> <string name="certificate_load_problem">Hai un problema ao cargar o certificado.</string> <string name="changelog_dev_version">Cambios na versin de desenvolvemento</string> <string name="check_back_later_or_reload">Volver mis tarde ou volver cargar.</string> <string name="checkbox">Caixa de seleccin</string> <string name="choose_local_folder">Escoller o cartafol local</string> <string name="choose_remote_folder">Escoller o cartafol remoto</string> <string name="choose_template_helper_text">Escolla un modelo e introduza un nome de ficheiro.</string> <string name="choose_which_file">Escolla o ficheiro que quere conservar.</string> <string name="choose_widget">Escoller o trebello</string> <string name="clear_notifications_failed">Produciuse un fallo ao limpar as notificacins.</string> <string name="clear_status_message">Limpar a mensaxe de estado</string> <string name="clear_status_message_after">Limpar a mensaxe de estado aps</string> <string name="clipboard_label">Texto copiado dende %1$s</string> <string name="clipboard_no_text_to_copy">Non se recibiu ningn texto para copiar no portapapeis</string> <string name="clipboard_text_copied">Ligazn copiada</string> <string name="clipboard_unexpected_error">Produciuse un erro non agardado ao copiar no portapapeis</string> <string name="common_back">Atrs</string> <string name="common_cancel">Cancelar</string> <string name="common_cancel_sync">Cancelar a sincronizacin</string> <string name="common_choose_account">Escoller unha conta</string> <string name="common_confirm">Confirmar</string> <string name="common_copy">Copiar</string> <string name="common_delete">Eliminar</string> <string name="common_error">Erro</string> <string name="common_error_out_memory">Non hai memoria abondo</string> <string name="common_error_unknown">Produciuse un erro descoecido</string> <string name="common_loading">Cargando</string> <string name="common_next">Seguinte</string> <string name="common_no">Non</string> <string name="common_ok">Aceptar</string> <string name="common_pending">Pendente</string> <string name="common_remove">Eliminar</string> <string name="common_rename">Cambiar o nome</string> <string name="common_save">Gardar</string> <string name="common_send">Enviar</string> <string name="common_share">Compartir</string> <string name="common_skip">Omitir</string> <string name="common_switch_account">Cambiar de conta</string> <string name="common_switch_to_account">Cambiar conta</string> <string name="common_yes">Si</string> <string name="community_beta_headline">Probar a versin de desenvolvemento</string> <string name="community_beta_text">Isto incle todas as ltimas funcionalidades por chegar e bastante inestbel. Poden ocorrer fallos e erros e, cando sexa o caso, infrmenos diso.</string> <string name="community_contribute_forum_forum">foro</string> <string name="community_contribute_forum_text">Axude a outros no</string> <string name="community_contribute_github_text">Revise, corrixa e escriba cdigo, vexa %1$s para obter mis detalles.</string> <string name="community_contribute_headline">Colabore activamente</string> <string name="community_contribute_translate_text">a aplicacin</string> <string name="community_contribute_translate_translate">Traducir</string> <string name="community_dev_direct_download">Descargue directamente a versin de desenvolvemento</string> <string name="community_dev_fdroid">Obtea a versin de desenvolvemento no F-Droid</string> <string name="community_rc_fdroid">Obtea a versin candidata no F-Droid</string> <string name="community_rc_play_store">Obtea a versin candidata na Google Play Store</string> <string name="community_release_candidate_headline">Candidata de publicacin</string> <string name="community_release_candidate_text">A candidata de publicacin (release candidate - RC) unha instantnea da versin mis prxima a publicar e agardase que sexa estbel. Probar a sa configuracin individual podera axudarnos a asegurar iso. Rexstrese para facer probas na Play Store ou bsquea manualmente na seccin Versins no F-Droid.</string> <string name="community_testing_bug_text">Atopou un fallo? hai algo estrao?</string> <string name="community_testing_headline">Axudanos facendo probas</string> <string name="community_testing_report_text">Informe dun incidente no GitHub</string> <string name="configure_new_media_folder_detection_notifications">Configurar</string> <string name="confirm_removal">Retirar o cifrado local</string> <string name="confirmation_remove_file_alert">Confirma que quere eliminar %1$s?</string> <string name="confirmation_remove_files_alert">Confirma que quere eliminar os elementos seleccionados?</string> <string name="confirmation_remove_folder_alert">Confirma que quere eliminar %1$s e todo o seu contido?</string> <string name="confirmation_remove_folders_alert">Confirma que quere eliminar os elementos seleccionados e o seu contido?</string> <string name="confirmation_remove_local">S local</string> <string name="conflict_dialog_error">Non posbel crear o dilogo de resolucin de conflitos</string> <string name="conflict_file_headline">Ficheiro en conflito %1$s</string> <string name="conflict_local_file">Ficheiro local</string> <string name="conflict_message_description">Se selecciona ambas versins, o ficheiro local ter un nmero engadido ao nome.</string> <string name="conflict_server_file">Ficheiro do servidor</string> <string name="contact_backup_title">Copia de seguranza dos contactos</string> <string name="contact_no_permission">Precisase de permiso de contacto.</string> <string name="contactlist_item_icon">Icona do usuario para a lista de contactos</string> <string name="contactlist_no_permission">Non se concederon permisos. Non se importou nada!</string> <string name="contacts">Contactos</string> <string name="contacts_backup_button">Facer agora a copia de seguranza</string> <string name="contacts_preferences_backup_scheduled">A copia de seguranza est programada e comezar en breve</string> <string name="contacts_preferences_import_scheduled">A importacin est programada e comezar en breve</string> <string name="contacts_preferences_no_file_found">Non se atopou ningn ficheiro</string> <string name="contacts_preferences_something_strange_happened">Non foi posbel atopar a sa ltima copia de seguranza!</string> <string name="copied_to_clipboard">Copiado no portapapeis.</string> <string name="copy_file_error">Produciuse un erro ao tentar copiar este ficheiro ou cartafol.</string> <string name="copy_file_invalid_into_descendent">Non posbel copiar un cartafol nun dos seus propios subcartafoles</string> <string name="copy_file_invalid_overwrite">Este ficheiro xa existe no cartafol de destino</string> <string name="copy_file_not_found">Non posbel copiar. Comprobe que o ficheiro existe.</string> <string name="copy_link">Copiar a ligazn</string> <string name="copy_move_to_encrypted_folder_not_supported">Copiar/mover dentro dun cartafol cifrado anda non est admitido.</string> <string name="could_not_download_image">Non foi posbel descargar a imaxe completa</string> <string name="could_not_retrieve_shares">Non foi posbel recuperar as comparticins</string> <string name="could_not_retrieve_url">Non foi posbel recuperar o URL</string> <string name="create">Crear</string> <string name="create_dir_fail_msg">Non foi posbel crear o cartafol</string> <string name="create_new">Novo</string> <string name="create_new_document">Novo documento</string> <string name="create_new_folder">Novo cartafol</string> <string name="create_new_presentation">Nova presentacin</string> <string name="create_new_spreadsheet">Nova folla de clculo</string> <string name="create_rich_workspace">Engadir a descricin do cartafol</string> <string name="creates_rich_workspace">Engade a descricin do cartafol</string> <string name="credentials_disabled">Credenciais eliminadas</string> <string name="daily_backup">Copia de seguranza diaria</string> <string name="data_to_back_up">Datos para facer a copia de seguranza</string> <string name="default_credentials_wrong">Credenciais incorrectas</string> <string name="delete_account">Retirar a conta</string> <string name="delete_entries">Eliminar entradas</string> <string name="delete_link">Eliminar a ligazn</string> <string name="deselect_all">Desmarcar todo</string> <string name="destination_filename">Nome do ficheiro de destino</string> <string name="dev_version_new_version_available">Non hai versin nova dispobel</string> <string name="dev_version_no_information_available">Sen informacin dispobel</string> <string name="dev_version_no_new_version_available">Non hai versin nova dispobel.</string> <string name="dialog_close">Pechar</string> <string name="did_not_check_for_dupes">Non comprobou os duplicados.</string> <string name="digest_algorithm_not_available">Este algoritmo de resumo non est dispobel no seu telfono.</string> <string name="direct_login_failed">Produciuse un fallo no acceso mediante ligazn directa.</string> <string name="direct_login_text">Acceso con %1$s a %2$s</string> <string name="disable_new_media_folder_detection_notifications">Desactivar</string> <string name="dismiss">Rexeitar</string> <string name="dismiss_notification_description">Rexeitar a notificacin</string> <string name="displays_mnemonic">Amosa a sa frase de contrasinal de 12 palabras</string> <string name="dnd">Non molestar</string> <string name="document_scan_export_dialog_images">Varias imaxes</string> <string name="document_scan_export_dialog_pdf">Ficheiro PDF</string> <string name="document_scan_export_dialog_title">Escoller o tipo de exportacin</string> <string name="document_scan_pdf_generation_failed">Produciuse un erro na xeracin do PDF</string> <string name="document_scan_pdf_generation_in_progress">Xerando o PDF</string> <string name="done">Feito</string> <string name="dontClear">Non limpar</string> <string name="download_cannot_create_file">Non posbel crear o ficheiro local</string> <string name="download_download_invalid_local_file_name">O nome de ficheiro non vlido para o ficheiro local</string> <string name="download_latest_dev_version">Descargar a ltima versin de desenvolvemento</string> <string name="downloader_download_failed_content">Non foi posbel descargar %1$s</string> <string name="downloader_download_failed_credentials_error">Produciuse un fallo na descarga, acceda de novo.</string> <string name="downloader_download_failed_ticker">Produciuse un fallo na descarga</string> <string name="downloader_download_file_not_found">O ficheiro xa non est dispobel no servidor</string> <string name="downloader_download_in_progress">%1$d%% %2$s</string> <string name="downloader_download_in_progress_content">%1$d%% Descargando %2$s</string> <string name="downloader_download_in_progress_ticker">Descargando</string> <string name="downloader_download_succeeded_content">Descargado %1$s</string> <string name="downloader_download_succeeded_ticker">Descargado</string> <string name="downloader_file_download_cancelled">Algns ficheiros foron cancelados durante a descarga polo usuario</string> <string name="downloader_file_download_failed">Produciuse un erro ao descargar ficheiros</string> <string name="downloader_not_downloaded_yet">Anda non foi descargado</string> <string name="downloader_unexpected_error">Produciuse un erro non agardado ao descargar ficheiros</string> <string name="drawer_close">Pechar a barra lateral</string> <string name="drawer_community">Comunidade</string> <string name="drawer_header_background">Imaxe de fondo do cabeceira do caixn</string> <string name="drawer_item_activities">Actividades</string> <string name="drawer_item_all_files">Todos os ficheiros</string> <string name="drawer_item_assistant">Asistente</string> <string name="drawer_item_favorites">Favoritos</string> <string name="drawer_item_gallery">Multimedia</string> <string name="drawer_item_groupfolders">Cartafoles de grupo</string> <string name="drawer_item_home">Inicio</string> <string name="drawer_item_notifications">Notificacins</string> <string name="drawer_item_on_device">No dispositivo</string> <string name="drawer_item_personal_files">Ficheiros persoais</string> <string name="drawer_item_recently_modified">Modificado recentemente</string> <string name="drawer_item_shared">Compartido</string> <string name="drawer_item_trashbin">Ficheiros eliminados</string> <string name="drawer_item_uploads_list">Envos</string> <string name="drawer_logout">Sar</string> <string name="drawer_open">Abrir a barra lateral</string> <string name="drawer_quota">Usado %1$s de %2$s</string> <string name="drawer_quota_unlimited">Usado %1$s</string> <string name="drawer_synced_folders">Envo automtico</string> <string name="e2e_not_yet_setup">E2E anda non est configurado</string> <string name="e2e_offline">Non posbel sen conexin a internet</string> <string name="ecosystem_apps_display_assistant">Asistente</string> <string name="ecosystem_apps_display_more">Mis</string> <string name="ecosystem_apps_display_notes">Notas</string> <string name="ecosystem_apps_display_talk">Talk</string> <string name="ecosystem_apps_more">Mis aplicacins de Nextcloud</string> <string name="ecosystem_apps_notes">Notas de Nextcloud</string> <string name="ecosystem_apps_talk">Talk de Nextcloud</string> <string name="email_pick_failed">Produciuse un fallo ao escoller o enderezo de correo.</string> <string name="encrypted">Definir como cifrado</string> <string name="end_to_end_encryption_confirm_button">Configurar o cifrado</string> <string name="end_to_end_encryption_decrypting">Descifrando</string> <string name="end_to_end_encryption_dialog_close">Pechar</string> <string name="end_to_end_encryption_enter_password">Introduza o contrasinal para descifrar a chave privada.</string> <string name="end_to_end_encryption_folder_not_empty">Este cartafol non est baleiro</string> <string name="end_to_end_encryption_generating_keys">Xerando chave novas</string> <string name="end_to_end_encryption_keywords_description">As 12 palabras xuntas forman un contrasinal moi forte, permitndolle s a Vde. ver e facer uso dos seus ficheiros cifrados. Escrbaas e mantaas nun lugar seguro.</string> <string name="end_to_end_encryption_not_enabled">Cifrado de extremo a extremo desactivado no servidor.</string> <string name="end_to_end_encryption_passphrase_title">Tome nota do seu contrasinal de cifrado de 12 palabras</string> <string name="end_to_end_encryption_password">Contrasinal</string> <string name="end_to_end_encryption_retrieving_keys">Recuperando chaves</string> <string name="end_to_end_encryption_storing_keys">Almacenando as chaves</string> <string name="end_to_end_encryption_title">Configurar o cifrado</string> <string name="end_to_end_encryption_unsuccessful">Non foi posbel gardar as sas chaves. Tnteo de novo</string> <string name="end_to_end_encryption_wrong_password">Produciuse un erro ao descifrar. Contrasinal incorrecto?</string> <string name="enter_destination_filename">Introduza o nome do ficheiro de destino</string> <string name="enter_filename">Escriba o nome do ficheiro</string> <string name="error__upload__local_file_not_copied">Non foi posbel copiar %1$s no cartafol local %2$s</string> <string name="error_cant_bind_to_operations_service">Produciuse un erro crtico: Non posbel realizar as operacins</string> <string name="error_choosing_date">Produciuse un erro ao escoller a data</string> <string name="error_comment_file">Produciuse un erro ao comentar o ficheiro</string> <string name="error_crash_title">%1$s quebrou</string> <string name="error_creating_file_from_template">Produciuse un erro ao crear o ficheiro a partir do modelo</string> <string name="error_file_actions">Produciuse un erro ao amosar as accins do ficheiro</string> <string name="error_file_lock">Produciuse un erro ao cambiar o estado do bloqueo do ficheiro</string> <string name="error_report_issue_action">Informe</string> <string name="error_report_issue_text">Informar dunha incidencia no seguimento? (precisa dunha conta de GitHub)</string> <string name="error_retrieving_file">Produciuse un erro ao recuperar o ficheiro</string> <string name="error_retrieving_templates">Produciuse un erro ao recuperar modelos</string> <string name="error_showing_encryption_dialog">Produciuse un erro ao amosar o dilogo de configuracin do cifrado!</string> <string name="error_starting_direct_camera_upload">Produciuse un erro ao iniciar a cmara</string> <string name="error_starting_doc_scan">Produciuse un erro ao iniciar o escaneamento do documento</string> <string name="error_uploading_direct_camera_upload">Produciuse un fallo ao cargar os medios tomados</string> <string name="etm_accounts">Contas</string> <string name="etm_background_execution_count">Veces executado en 48h</string> <string name="etm_background_job_created">Creado</string> <string name="etm_background_job_name">Nome do traballo</string> <string name="etm_background_job_progress">Progreso</string> <string name="etm_background_job_state">Estado</string> <string name="etm_background_job_user">Usuario</string> <string name="etm_background_job_uuid">UUID</string> <string name="etm_background_jobs">Traballos en segundo plano</string> <string name="etm_background_jobs_cancel_all">Cancelar todos os traballos</string> <string name="etm_background_jobs_prune">Depurar os traballos inactivos</string> <string name="etm_background_jobs_schedule_test_job">Programar traballo de proba</string> <string name="etm_background_jobs_start_test_job">Iniciar o traballo de proba</string> <string name="etm_background_jobs_stop_test_job">Deter o traballo de proba</string> <string name="etm_migrations">Migracins (anovacin de aplicacin)</string> <string name="etm_preferences">Preferencias</string> <string name="etm_title">Modo de proba de enxeera</string> <string name="etm_transfer">Transferencia de ficheiros</string> <string name="etm_transfer_enqueue_test_download">Poer na cola a descarga de proba</string> <string name="etm_transfer_enqueue_test_upload">Poer na cola o envo de proba</string> <string name="etm_transfer_remote_path">Ruta remota</string> <string name="etm_transfer_type">Transferencia</string> <string name="etm_transfer_type_download">Descargar</string> <string name="etm_transfer_type_upload">Enviar</string> <string name="fab_label">Engadir ou enviar</string> <string name="failed_to_download">Produciuse un fallo ao pasar o ficheiro para o xestor de descargas</string> <string name="failed_to_print">Produciuse un fallo ao imprimir o ficheiro</string> <string name="failed_to_start_editor">Produciuse un fallo ao iniciar o editor</string> <string name="failed_update_ui">Produciuse un fallo ao actualizar a IU</string> <string name="favorite">Engadir a favoritos</string> <string name="favorite_icon">Favorito</string> <string name="file_activity_shared_file_cannot_be_updated">Non foi posbel actualizar o ficheiro compartido</string> <string name="file_already_exists">O nome de ficheiro xa existe</string> <string name="file_delete">Eliminar</string> <string name="file_detail_activity_error">Produciuse un erro ao recuperar actividades para o ficheiro</string> <string name="file_details_no_content">Produciuse un fallo ao cargar os detalles</string> <string name="file_icon">Ficheiro</string> <string name="file_keep">Conservar</string> <string name="file_list_empty">Enve algn contido ou sincronice cos seus dispositivos.</string> <string name="file_list_empty_favorite_headline">Anda non hai nada marcado como favorito</string> <string name="file_list_empty_favorites_filter_list">Aqu amosaranse os ficheiros e cartafoles que marque como favoritos.</string> <string name="file_list_empty_gallery">Non se atoparon imaxes nin vdeos</string> <string name="file_list_empty_headline">Aqu non hai ficheiros</string> <string name="file_list_empty_headline_search">Non hai resultados neste cartafol</string> <string name="file_list_empty_headline_server_search">Sen resultados</string> <string name="file_list_empty_local_search">Non hai ningn ficheiro ou cartafol que coincida coa busca</string> <string name="file_list_empty_moving">Aqu non hai nada. Pode engadir un cartafol.</string> <string name="file_list_empty_on_device">Aqu amosaranse os ficheiros e cartafoles descargados</string> <string name="file_list_empty_recently_modified">Non se atoparon ficheiros modificados nos ltimos 7 das.</string> <string name="file_list_empty_search">Quizis estea nun cartafol diferente?</string> <string name="file_list_empty_shared">Aqu amosaranse os ficheiros e cartafoles que comparta.</string> <string name="file_list_empty_shared_headline">Anda non hai nada compartido</string> <string name="file_list_empty_unified_search_no_results">Non se atoparon resultados para a sa consulta</string> <string name="file_list_folder">cartafol</string> <string name="file_list_live">DIRECTO</string> <string name="file_list_loading">Cargando</string> <string name="file_list_no_app_for_file_type">Non foi configurada unha aplicacin para manexar este tipo de ficheiro.</string> <string name="file_list_seconds_ago">hai uns segundos</string> <string name="file_management_permission">Necestanse permisos</string> <string name="file_management_permission_optional">Permisos de almacenamento</string> <string name="file_management_permission_optional_text">%1$s funciona mellor con permisos para acceder ao almacenamento. Pode escoller acceso completo a todos os ficheiros ou acceso de s lectura a fotos e vdeos.</string> <string name="file_management_permission_text">%1$s precisa permisos de xestin de ficheiros para enviar ficheiros. Pode escoller acceso completo a todos os ficheiros ou acceso de s lectura a fotos e vdeos.</string> <string name="file_migration_checking_destination">Comprobando o destino</string> <string name="file_migration_cleaning">Limpando</string> <string name="file_migration_dialog_title">Actualizando o cartafol de almacenamento de datos</string> <string name="file_migration_directory_already_exists">Xa existe o cartafol de datos. Escolla un dos seguintes:</string> <string name="file_migration_failed_dir_already_exists">Xa existe o cartafol de Nextcloud</string> <string name="file_migration_failed_not_enough_space">Necesitase mis espazo</string> <string name="file_migration_failed_not_readable">Non foi posbel ler o ficheiro de orixe</string> <string name="file_migration_failed_not_writable">Non foi posbel escribir no ficheiro de destino</string> <string name="file_migration_failed_while_coping">Produciuse un fallo durante a migracin</string> <string name="file_migration_failed_while_updating_index">Produciuse un fallo ao actualizar o ndice</string> <string name="file_migration_migrating">Movendo datos</string> <string name="file_migration_ok_finished">Rematado</string> <string name="file_migration_override_data_folder">Substitur</string> <string name="file_migration_preparing">Preparando a migracin</string> <string name="file_migration_restoring_accounts_configuration">Restaurando a configuracin da conta</string> <string name="file_migration_saving_accounts_configuration">Gardando a configuracin da conta</string> <string name="file_migration_source_not_readable">Anda quere cambiar o cartafol de almacenamento de datos a %1$s?\n\nNota: Haber que volver descargar todos os datos.</string> <string name="file_migration_source_not_readable_title">O cartafol de orixe non lexbel!</string> <string name="file_migration_updating_index">Actualizando o ndice</string> <string name="file_migration_use_data_folder">Usar</string> <string name="file_migration_waiting_for_unfinished_sync">Agardando que rematen as sincronizacins</string> <string name="file_not_found">Non se atopou o ficheiro</string> <string name="file_not_synced">Non foi posbel sincronizar o ficheiro. Amosase a ltima versin dispobel.</string> <string name="file_rename">Cambiar o nome</string> <string name="file_upload_worker_same_file_already_exists">Xa existe o mesmo ficheiro, non se detectou ningn conflito</string> <string name="file_version_restored_error">Produciuse un erro ao restaurar a versin do ficheiro</string> <string name="file_version_restored_successfully">Versin do ficheiro restaurada satisfactoriamente.</string> <string name="filedetails_details">Detalles</string> <string name="filedetails_download">Descargar</string> <string name="filedetails_export">Exportar</string> <string name="filedetails_renamed_in_upload_msg">Cambiouselle o nome do ficheiro a %1$s durante o envo</string> <string name="filedetails_sync_file">Sincronizar</string> <string name="filedisplay_no_file_selected">Non seleccionou ningn ficheiro</string> <string name="filename_empty">O nome de ficheiro non pode estar baleiro</string> <string name="filename_forbidden_characters">Caracteres non permitidos: / \\ &lt; &gt; : \" | ? *</string> <string name="filename_forbidden_charaters_from_server">O nome de ficheiro contn algn carcter incorrecto</string> <string name="filename_hint">Nome do ficheiro</string> <string name="first_run_1_text">Mantea os seus dados seguros e baixo o seu control</string> <string name="first_run_2_text">Colaboracin segura e intercambio de ficheiros</string> <string name="first_run_3_text">Correo web, calendario e contactos doados de usar</string> <string name="first_run_4_text">Compartir a pantalla, xuntanzas en lia e conferencias web </string> <string name="folder_already_exists">Xa existe o cartafol</string> <string name="folder_confirm_create">Crear</string> <string name="folder_list_empty_headline">Aqu non hai cartafoles</string> <string name="folder_picker_choose_button_text">Escoller</string> <string name="folder_picker_choose_caption_text">Escoller o cartafol de destino</string> <string name="folder_picker_copy_button_text">Copiar</string> <string name="folder_picker_move_button_text">Mover</string> <string name="forbidden_permissions">Non ten permiso %s</string> <string name="forbidden_permissions_copy">copiar este ficheiro</string> <string name="forbidden_permissions_create">para crear este ficheiro</string> <string name="forbidden_permissions_delete">para eliminar este ficheiro</string> <string name="forbidden_permissions_move">para mover este ficheiro</string> <string name="forbidden_permissions_rename">para cambiarlle o nome a este ficheiro</string> <string name="foreground_service_upload">Enviando ficheiros</string> <string name="foreign_files_fail">Non foi posbel mover algns ficheiros</string> <string name="foreign_files_local_text">Local: %1$s</string> <string name="foreign_files_move">Mover todo</string> <string name="foreign_files_remote_text">Remoto: %1$s</string> <string name="foreign_files_success">Foron movidos todos os ficheiros</string> <string name="forward">Reenviar</string> <string name="fourHours">4 horas</string> <string name="gplay_restriction">Google restrinxiu a descarga de ficheiros APK/AAB.</string> <string name="grid_file_features_live_photo_content_description">Esta icona indica a dispoibilidade de Live Photo</string> <string name="hidden_file_name_warning">O nome dar lugar a un ficheiro agochado</string> <string name="hint_name">Nome</string> <string name="hint_note">Nota</string> <string name="hint_password">Contrasinal</string> <string name="host_not_available">Servidor non dispobel</string> <string name="host_your_own_server">Hospede o seu propio servidor</string> <string name="icon_for_empty_list">Icona para a lista baleira</string> <string name="icon_of_dashboard_widget">Icona do trebello do taboleiro</string> <string name="icon_of_widget_entry">Icona da entrada do trebello</string> <string name="image_editor_file_edited_suffix">editado</string> <string name="image_editor_flip_horizontal">Voltear horizontalmente</string> <string name="image_editor_flip_vertical">Voltear verticalmente</string> <string name="image_editor_rotate_ccw">Rotar en sentido antihorario</string> <string name="image_editor_rotate_cw">Rotar en sentido horario</string> <string name="image_editor_unable_to_edit_image">Non posbel editar a imaxe</string> <string name="image_preview_filedetails">Detalles do ficheiro</string> <string name="image_preview_image_taking_conditions">Condicins de toma de imaxes</string> <string name="image_preview_unit_fnumber">/%s</string> <string name="image_preview_unit_iso">ISO %s</string> <string name="image_preview_unit_megapixel">%s MP</string> <string name="image_preview_unit_millimetres">%s mm</string> <string name="image_preview_unit_seconds">%s s</string> <string name="in_folder">no cartafol %1$s</string> <string name="instant_upload_existing">Envar tamn os ficheiros existentes</string> <string name="instant_upload_on_charging">Enviar s cando estea cargando</string> <string name="instant_upload_path">/EnvoInstantneo</string> <string name="invalid_url">URL incorrecto</string> <string name="invisible">Invisbel</string> <string name="label_empty">A etiqueta non pode estar baleira</string> <string name="last_backup">ltima copia de seguranza: %1$s</string> <string name="link">Ligazn</string> <string name="link_name">Nome da ligazn</string> <string name="link_share_allow_upload_and_editing">Permitir o envo e a edicin</string> <string name="link_share_editing">Editando</string> <string name="link_share_file_drop">Soltar ficheiro (s envos) </string> <string name="link_share_view_only">S ver</string> <string name="list_layout">Disposicin de lista</string> <string name="load_more_results">Cargando mis resultados</string> <string name="local_file_list_empty">Non hai ficheiros neste cartafol.</string> <string name="local_file_not_found_message">Non se atopou o ficheiro no sistema local de ficheiros</string> <string name="local_folder_friendly_path">%1$s/%2$s</string> <string name="local_folder_list_empty">Xa non hai mis cartafoles</string> <string name="locate_folder">Atopar o cartafol</string> <string name="lock_expiration_info">Caduca: %1$s</string> <string name="lock_file">Bloquear ficheiro</string> <string name="locked_by">Bloqueado por %1$s</string> <string name="locked_by_app">Bloqueado pola aplicacin %1$s</string> <string name="log_send_mail_subject">Atopronse %1$s aplicacins de rexistros para Android</string> <string name="log_send_no_mail_app">Non se atopou ningunha aplicacin para enviar rexistros. Instale un cliente de correo-e.</string> <string name="logged_in_as">Accedeu como %1$s</string> <string name="login">Acceder</string> <string name="login_url_helper_text">A ligazn sa interface web %1$s cando a abre no navegador.</string> <string name="logs_menu_delete">Eliminar rexistros</string> <string name="logs_menu_refresh">Actualizar</string> <string name="logs_menu_search">Buscar rexistros</string> <string name="logs_menu_send">Enviar rexistros por correo-e</string> <string name="logs_status_filtered">Rexistros: %1$d kB, consulta coincidente %2$d / %3$d en %4$d ms</string> <string name="logs_status_loading">Cargando</string> <string name="logs_status_not_filtered">Rexistros: %1$d kB, sen filtrar</string> <string name="logs_title">Rexistros</string> <string name="maintenance_mode">Servidor en modo mantemento</string> <string name="manage_space_clear_data">Limpar os datos</string> <string name="manage_space_description">Van ser eliminados definitivamente os axustes , base de datos e certificados do servidor de %1$s.\n\nOs ficheiros descargados conservaranse sen cambios.\n\nEste proceso pode levar bastante tempo.</string> <string name="manage_space_title">Xestionar o espazo</string> <string name="max_file_count_warning_message">Acadou o lmite mximo de envo de ficheiros. Enve menos de 500 ficheiros dunha sentada.</string> <string name="media_err_invalid_progressive_playback">Non posbel transmitir o ficheiro multimedia</string> <string name="media_err_io">Non foi posbel ler o ficheiro multimedia</string> <string name="media_err_malformed">O ficheiro multimedia ten unha codificacin incorrecta</string> <string name="media_err_timeout">O intento de reproducir o ficheiro esgotou o tempo de espera.</string> <string name="media_err_unknown">O reprodutor integrado non quen de reproducir o ficheiro multimedia</string> <string name="media_err_unsupported">Cdec multimedia non admitido</string> <string name="media_forward_description">Botn de avance rpido</string> <string name="media_notif_ticker">Reprodutor de msica %1$s</string> <string name="media_play_pause_description">Botn de reproducin ou pausa</string> <string name="media_rewind_description">Botn de retroceso</string> <string name="media_state_playing">%1$s (reproducindo)</string> <string name="menu_item_sort_by_date_newest_first">Os mis recentes primeiro</string> <string name="menu_item_sort_by_date_oldest_first">Os mis antigos primeiro</string> <string name="menu_item_sort_by_name_a_z">A - Z</string> <string name="menu_item_sort_by_name_z_a">Z - A</string> <string name="menu_item_sort_by_size_biggest_first">Os mis grandes primeiro</string> <string name="menu_item_sort_by_size_smallest_first">Os mis pequenos primeiro</string> <string name="more">Mis</string> <string name="move_file_error">Produciuse un erro ao tentar mover este ficheiro ou cartafol</string> <string name="move_file_invalid_into_descendent">Non posbel mover un cartafol cara a un dos seus propios subcartafoles</string> <string name="move_file_invalid_overwrite">Este ficheiro xa existe no cartafol de destino</string> <string name="move_file_not_found">Non posbel mover o ficheiro. Comprobe que existe.</string> <string name="network_error_connect_timeout_exception">Produciuse un erro agardando a resposta do servidor. Non foi posbel completar a operacin.</string> <string name="network_error_socket_exception">Produciuse un erro durante a conexin co servidor</string> <string name="network_error_socket_timeout_exception">Produciuse un erro agardando a resposta do servidor. Non foi posbel completar a operacin.</string> <string name="network_host_not_available">Non foi posbel completar a operacin. O servidor non est dispobel.</string> <string name="new_comment">Comentario novo</string> <string name="new_media_folder_detected">Detectouse un novo cartafol de medios %1$s</string> <string name="new_media_folder_photos">foto</string> <string name="new_media_folder_videos">vdeo</string> <string name="new_notification">Nova notificacin</string> <string name="new_version_was_created">Creouse unha versin nova</string> <string name="no_actions">Non hai accins para este usuario</string> <string name="no_browser_available">Non hai ningunha aplicacin para manexar ligazns</string> <string name="no_calendar_exists">Non existe ningn calendario</string> <string name="no_email_app_available">Non hai ningunha aplicacin dispobel para xestionar o enderezo de correo-e</string> <string name="no_items">Non hai elementos</string> <string name="no_map_app_availble">Non hai ningunha aplicacin para manexar mapas</string> <string name="no_mutliple_accounts_allowed">S se permite unha conta</string> <string name="no_pdf_app_available">Non hai ningunha aplicacin para manexar PDF</string> <string name="no_send_app">Non hai ningunha aplicacin dispobel para enviar os ficheiros seleccionados</string> <string name="no_share_permission_selected">Seleccione polo menos un permiso para compartir.</string> <string name="note_could_not_sent">Non foi posbel enviar a nota</string> <string name="note_icon_hint">Icona de nota</string> <string name="notification_action_failed">Produciuse un fallo ao executar a accin.</string> <string name="notification_channel_download_description">Amosa o progreso da descarga</string> <string name="notification_channel_download_name_short">Descargas</string> <string name="notification_channel_file_sync_description">Amosa o progreso e os resultados da sincronizacin de ficheiros</string> <string name="notification_channel_file_sync_name">Sincronizacin de ficheiros</string> <string name="notification_channel_general_description">Amosar notificacins para novos cartafoles de medios e semellantes</string> <string name="notification_channel_general_name">Notificacins xerais</string> <string name="notification_channel_media_description">Progreso do reprodutor de msica</string> <string name="notification_channel_media_name">Reprodutor de medios</string> <string name="notification_channel_push_description">Amosar as notificacins automticas: mencins en comentarios, recepcin de novos ficheiros compartidos remotos, anuncios publicados por un administrador, etc.</string> <string name="notification_channel_push_name">Notificacins automticas</string> <string name="notification_channel_upload_description">Amosa o progreso do envo</string> <string name="notification_channel_upload_name_short">Envos</string> <string name="notification_icon">Icona de notificacin</string> <string name="notifications_no_results_headline">Non hai notificacins</string> <string name="notifications_no_results_message">Comprbeo mis adiante.</string> <string name="offline_mode">Sen conexin coa Internet</string> <string name="oneHour">1 hora</string> <string name="online">En lia</string> <string name="online_status">Estado en lia</string> <string name="outdated_server">O servidor acadou a fin da sa vida. Anveo!</string> <string name="overflow_menu">Mis mens</string> <string name="pass_code_configure_your_pass_code">Introduza o seu cdigo de acceso</string> <string name="pass_code_configure_your_pass_code_explanation">Solicitarselle o cdigo de acceso cada vez que inicie a aplicacin</string> <string name="pass_code_enter_pass_code">Introduza o seu cdigo de acceso</string> <string name="pass_code_mismatch">Os cdigos de acceso non son iguais</string> <string name="pass_code_reenter_your_pass_code">Introduza de novo o seu cdigo de acceso</string> <string name="pass_code_remove_your_pass_code">Elimine o seu cdigo de acceso</string> <string name="pass_code_removed">O cdigo de acceso foi eliminado</string> <string name="pass_code_stored">Gardouse o cdigo de acceso</string> <string name="pass_code_wrong">Cdigo de acceso incorrecto</string> <string name="pdf_password_protected">Non posbel abrir o PDF protexido con contrasinal. Use un visor de PDF externo.</string> <string name="pdf_zoom_tip">Toque nunha pxina para ampliala</string> <string name="permission_allow">Permitir</string> <string name="permission_deny">Denegar</string> <string name="permission_storage_access">Precsanse permisos adicionais para enviar e descargar ficheiros.</string> <string name="picture_set_as_no_app">Non se atopou unha aplicacin coa que definir unha imaxe</string> <string name="pin_home">Fixar na pantalla de Inicio</string> <string name="pin_shortcut_label">Abrir %1$s</string> <string name="placeholder_fileSize">389 KB</string> <string name="placeholder_filename">marcadordeposicin.txt</string> <string name="placeholder_media_time">12:23:45</string> <string name="placeholder_sentence">Isto un marcador de posicin</string> <string name="placeholder_timestamp">18/05/2012 12:23 PM</string> <string name="player_stop">parar</string> <string name="player_toggle">alternar</string> <string name="power_save_check_dialog_message">A desactivacin da comprobacin de aforro de enerxa pode provocar o envo de ficheiros cando estea coa batera baixa.</string> <string name="pref_behaviour_entries_delete_file">eliminado</string> <string name="pref_behaviour_entries_keep_file">mantense no cartafol orixinal</string> <string name="pref_behaviour_entries_move">movido cara ao cartafol da aplicacin</string> <string name="pref_instant_name_collision_policy_dialogTitle">Que facer se o ficheiro xa existe?</string> <string name="pref_instant_name_collision_policy_entries_always_ask">Pregntarme cada vez</string> <string name="pref_instant_name_collision_policy_entries_cancel">Omitir o envo</string> <string name="pref_instant_name_collision_policy_entries_overwrite">Sobrescribir a versin remota</string> <string name="pref_instant_name_collision_policy_entries_rename">Renomear a versin nova</string> <string name="pref_instant_name_collision_policy_title">Que facer se o ficheiro xa existe?</string> <string name="prefs_add_account">Engadir unha conta</string> <string name="prefs_calendar_contacts">Sincronizar o calendario e os contactos</string> <string name="prefs_calendar_contacts_no_store_error">Nin F-Droid nin Google Play estn instalados</string> <string name="prefs_calendar_contacts_summary">Configurar DAVx5 (anteriormente coecido como DAVdroid) (v1.3.0 +) para a conta actual</string> <string name="prefs_calendar_contacts_sync_setup_successful">Preparada a sincronizacin do calendario e dos contactos</string> <string name="prefs_category_about">Sobre</string> <string name="prefs_category_details">Detalles</string> <string name="prefs_category_dev">Desenvolvemento</string> <string name="prefs_category_general">Xeral</string> <string name="prefs_category_more">Mis</string> <string name="prefs_daily_backup_summary">Copia de seguranza diaria do seu calendario e dos contactos</string> <string name="prefs_daily_contact_backup_summary">Copia de seguranza diaria dos seus contactos</string> <string name="prefs_davx5_setup_error">Produciuse un erro non agardado ao configurar DAVx5 (anteriormente coecido como DAVdroid)</string> <string name="prefs_e2e_active">O cifrado de extremo a extremo est configurado.</string> <string name="prefs_e2e_mnemonic">Mnemotcnico do cifrado E2E</string> <string name="prefs_e2e_no_device_credentials">Para amosar o mnemotcnico, active as credenciais do dispositivo </string> <string name="prefs_enable_media_scan_notifications">Amosar as notificacins de escaneo de medios</string> <string name="prefs_enable_media_scan_notifications_summary">Notificar cando se atopen novos cartafoles de medios</string> <string name="prefs_gpl_v2">GNU Licenza Pblica Xeral, versin 2</string> <string name="prefs_help">Axuda</string> <string name="prefs_imprint">Editor</string> <string name="prefs_instant_behaviour_dialogTitle">O ficheiro orixinal vai ser</string> <string name="prefs_instant_behaviour_title">O ficheiro orixinal vai ser</string> <string name="prefs_instant_upload_exclude_hidden_summary">Exclur ficheiros e cartafoles agochados</string> <string name="prefs_instant_upload_exclude_hidden_title">Exclur o agochado</string> <string name="prefs_instant_upload_path_use_date_subfolders_summary">Arquivar en subcartafoles baseados na data</string> <string name="prefs_instant_upload_path_use_subfolders_title">Usar subcartafoles</string> <string name="prefs_instant_upload_subfolder_rule_title">Opcins de subcartafol</string> <string name="prefs_keys_exist">Engadir cifrado de extremo a extremo a este cliente</string> <string name="prefs_license">Licenza</string> <string name="prefs_lock">Cdigo de acceso da aplicacin</string> <string name="prefs_lock_device_credentials_enabled">Credenciais do dispositivo activadas</string> <string name="prefs_lock_device_credentials_not_setup">Non foi estabelecida ningunha credencial de dispositivo</string> <string name="prefs_lock_none">Ningn</string> <string name="prefs_lock_title">Protexer a aplicacin empregando</string> <string name="prefs_lock_using_device_credentials">Credenciais do dispositivo</string> <string name="prefs_lock_using_passcode">Cdigo de acceso</string> <string name="prefs_manage_accounts">Xestionar contas</string> <string name="prefs_recommend">Recomendar a un amigo</string> <string name="prefs_remove_e2e">Retirar o cifrado localmente</string> <string name="prefs_setup_e2e">Configurar o cifrado de extremo a extremo</string> <string name="prefs_show_ecosystem_apps">Amosar o conmutador de aplicacins</string> <string name="prefs_show_ecosystem_apps_summary">Suxestins da aplicacin Nextcloud no ttulo de navegacin</string> <string name="prefs_show_hidden_files">Amosar ficheiros agochados</string> <string name="prefs_sourcecode">Obter o cdigo fonte</string> <string name="prefs_storage_path">Cartafol de almacenamento de datos</string> <string name="prefs_sycned_folders_summary">Xestionar os cartafoles para a envo automtico</string> <string name="prefs_synced_folders_local_path_title">Cartafol local</string> <string name="prefs_synced_folders_remote_path_title">Cartafol remoto</string> <string name="prefs_theme_title">Tema</string> <string name="prefs_value_theme_dark">Escuro</string> <string name="prefs_value_theme_light">Claro</string> <string name="prefs_value_theme_system">Seguir o sistema</string> <string name="preview_image_description">Vista previa da imaxe</string> <string name="preview_image_downloading_image_for_edit">Descargando a imaxe para iniciar a pantalla de edicin, agarde</string> <string name="preview_image_error_no_local_file">Non hai ficheiro local que ver</string> <string name="preview_image_error_unknown_format">Non posbel amosar a imaxe</string> <string name="preview_image_file_is_not_downloaded">O ficheiro non est descargado</string> <string name="preview_image_file_is_not_exist">O ficheiro non existe</string> <string name="preview_media_unhandled_http_code_message">O ficheiro est bloqueado actualmente por outro usuario ou proceso e, polo tanto, non posbel eliminalo. Tnteo de novo mis tarde.</string> <string name="preview_sorry">Desculpe.</string> <string name="privacy">Privacidade</string> <string name="public_share_name">Nome novo</string> <string name="push_notifications_not_implemented">Foron desactivadas as notificacins automticas por depender de servizos propietarios de Google Play.</string> <string name="push_notifications_old_login">Non dispn de notificacins automticas por mor dun acceso sesin caducado. Considere volver engadir a sa conta.</string> <string name="push_notifications_temp_error">Actualmente non estn dispobeis as notificacins automticas.</string> <string name="qr_could_not_be_read">Non foi posbel ler o cdigo QR.</string> <string name=your_sha256_hashmessage">Non posbel atopar o cartafol, a operacin de sincronizacin foi cancelada</string> <string name="receive_external_files_activity_unable_to_find_file_to_upload">Non posbel atopar o ficheiro para enviar</string> <string name="recommend_subject">Probe %1$s no seu dispositivo!</string> <string name="recommend_text">Quixera convidalo a usar %1$s no seu dispositivo.\nDescargueo aqu: %2$s</string> <string name="recommend_urls">%1$s ou %2$s</string> <string name="refresh_content">Actualizar contido</string> <string name="reload">Volver cargar</string> <string name="remote">(remoto)</string> <string name="remote_file_fetch_failed">Produciuse un fallo ao atopar o ficheiro!</string> <string name="remove_e2e">Pode retirar o cifrado de extremo a extremo localmente neste cliente</string> <string name="remove_e2e_message">Pode retirar o cifrado de extremo a extremo localmente neste cliente. Os ficheiros cifrados permanecern no servidor, mais xa non se sincronizarn con este computador.</string> <string name="remove_fail_msg">Produciuse un fallo na eliminacin</string> <string name="remove_local_account">Retirar a conta local</string> <string name="remove_local_account_details">Retirar a conta do dispositivo e eliminar todos os ficheiros locais</string> <string name="remove_notification_failed">Produciuse un fallo ao retirar a notificacin.</string> <string name="remove_push_notification">Retirar</string> <string name="remove_success_msg">Eliminado</string> <string name="rename_dialog_title">Introduza un nome novo</string> <string name="rename_local_fail_msg">Non foi posbel cambiarlle o nome a copia local, tnteo cun un nome diferente</string> <string name="rename_server_fail_msg">Non foi posbel cambiarlle o nome, o nome xa est ocupado</string> <string name="request_account_deletion">Solicitar a eliminacin da conta </string> <string name="request_account_deletion_button">Solicitat a eliminacin</string> <string name="request_account_deletion_details">Solicitar a eliminacin definitiva da conta polo provedor de servizos</string> <string name="reshare_not_allowed">Non se permite volver compartir</string> <string name="resharing_is_not_allowed">Non se permite volver compartir</string> <string name="resized_image_not_possible_download">No se dispn da imaxe noutros tamaos. Descargala a tamao real?</string> <string name="restore">Restaurar ficheiro</string> <string name="restore_backup">Restaurar a copia de seguranza</string> <string name="restore_button_description">Restaurar ficheiro eliminado</string> <string name="restore_selected">Restaurar o seleccionado</string> <string name="retrieving_file">Recuperando o ficheiro</string> <string name="richdocuments_failed_to_load_document">Produciuse un fallo ao cargar o documento!</string> <string name="scanQR_description">Acceder cun cdigo QR</string> <string name="scan_page">Escanear a pxina</string> <string name="screenshot_01_gridView_heading">Protexendo os seus datos</string> <string name="screenshot_01_gridView_subline">produtividade en aloxamento autnomo</string> <string name="screenshot_02_listView_heading">Navegar e compartir</string> <string name="screenshot_02_listView_subline">todas as accins ao seu alcance</string> <string name="screenshot_03_drawer_heading">Actividade, comparticins, </string> <string name="screenshot_03_drawer_subline">todo accesbel rapidamente</string> <string name="screenshot_04_accounts_heading">Todas as sas contas</string> <string name="screenshot_04_accounts_subline">nun s lugar</string> <string name="screenshot_05_autoUpload_heading">Envo automtico</string> <string name="screenshot_05_autoUpload_subline">para as sas fotos e vdeos</string> <string name="screenshot_06_davdroid_heading">Calendario e contactos</string> <string name="screenshot_06_davdroid_subline">Sincronizar con DAVx5</string> <string name="search_error">Produciuse un erro ao obter os resultados da busca</string> <string name="secure_share_not_set_up">A comparticin segura non est definida para este usuario</string> <string name="secure_share_search">Comparticin segura</string> <string name="select_all">Seleccionar todo</string> <string name="select_media_folder">Definir o cartafol multimedia</string> <string name="select_one_template">Seleccione un modelo</string> <string name="select_template">Seleccionar o modelo</string> <string name="send">Enviar</string> <string name="send_share">Enviar o compartido</string> <string name="sendbutton_description">Icona do botn de envo</string> <string name="set_as">Definir como</string> <string name="set_note">Definir a nota</string> <string name="set_picture_as">Usar a imaxe como</string> <string name="set_status">Definir o estado</string> <string name="set_status_message">Definir a mensaxe de estado</string> <string name="setup_e2e">Durante a configuracin do cifrado de extremo a extremo, recibir un mnemotcnico ao chou de 12 palabras, que necesitar para abrir os seus ficheiros noutros dispositivos. Isto s se almacenar neste dispositivo e pdese amosar de novo nesta pantalla. Anteo nun lugar seguro!</string> <string name="share">Compartir</string> <string name="share_copy_link">Compartir e copiar a ligazn</string> <string name="share_dialog_title">Compartindo</string> <string name="share_expiration_date_format">%1$s</string> <string name="share_expiration_date_label">Caduca o %1$s</string> <string name="share_file">Compartir %1$s</string> <string name="share_group_clarification">%1$s (grupo)</string> <string name="share_internal_link">Compartir a ligazn interna</string> <string name="share_internal_link_to_file_text">A ligazn de comparticin interna s funciona para usuarios con acceso a este ficheiro</string> <string name="share_internal_link_to_folder_text">A ligazn de comparticin interna s funciona para usuarios con acceso a este cartafol</string> <string name="share_known_remote_on_clarification">en %1$s</string> <string name="share_link">Compartir ligazn</string> <string name="share_link_empty_password">Ten que introducir un contrasinal</string> <string name="share_link_file_error">Produciuse un erro ao tentar compartir este ficheiro ou cartafol.</string> <string name="share_link_file_no_exist">Non posbel compartir, Comprobe que o ficheiro existe.</string> <string name="share_link_forbidden_permissions">para compartir este ficheiro</string> <string name="share_link_optional_password_title">Escriba un contrasinal opcional</string> <string name="share_link_password_title">Introduza un contrasinal</string> <string name="share_link_with_label">Compartir ligazn (%1$s)</string> <string name="share_no_expiration_date_label">Definir a data de caducidade</string> <string name="share_no_password_title">Definir o contrasinal</string> <string name="share_not_allowed_when_file_drop">Non se permite volver compartir durante a entrega segura de ficheiros</string> <string name="share_password_title">Protexido con contrasinal</string> <string name="share_permission_can_edit">Pode editar</string> <string name="share_permission_file_drop">Soltar o ficheiro</string> <string name="share_permission_secure_file_drop">Entrega segura de ficheiros</string> <string name="share_permission_view_only">S ver</string> <string name="share_permissions">Permisos ao compartir</string> <string name="share_remote_clarification">%1$s (remoto)</string> <string name="share_room_clarification">%1$s (conversa)</string> <string name="share_search">Nome, ID da nube federada ou enderezo de correo</string> <string name="share_send_new_email">Enviar correo-e novo</string> <string name="share_send_note">Nota para o destinatario</string> <string name="share_settings">Axustes</string> <string name="share_via_link_hide_download">Agochar a descarga</string> <string name="share_via_link_section_title">Compartir ligazn</string> <string name="share_via_link_send_link_label">Enviar ligazn</string> <string name="share_via_link_unset_password">Sen definir</string> <string name="share_with_title">Compartir con</string> <string name="shared_avatar_desc">Avatar de usuario compartido</string> <string name="shared_icon_share">compartir</string> <string name="shared_icon_shared">compartido</string> <string name="shared_icon_shared_via_link">compartido mediante ligazn</string> <string name="shared_with_you_by">Compartido con Vde. por %1$s</string> <string name="sharee_add_failed">Produciuse un fallo ao engadir unha comparticin</string> <string name="sharee_already_added_to_file">Produciuse un erro ao engadir o contido compartido. Este ficheiro ou cartafol xa foi compartido con esta persoa ou grupo.</string> <string name="show_images">Amosar as fotos</string> <string name="show_video">Amosar os vdeos</string> <string name="signup_with_provider">Rexistrarse cun provedor</string> <string name="single_sign_on_request_token" formatted="true">Permitirlle a %1$s acceder a sa conta %2$s en Nextcloud?</string> <string name="sort_by">Ordenar por</string> <string name="ssl_validator_btn_details_hide">Agochar</string> <string name="ssl_validator_btn_details_see">Detalles</string> <string name="ssl_validator_header">Non foi posbel verificar a identidade do sitio</string> <string name="ssl_validator_label_C">Pas</string> <string name="ssl_validator_label_CN">Nome comn:</string> <string name="ssl_validator_label_L">Lugar:</string> <string name="ssl_validator_label_O">Organizacin:</string> <string name="ssl_validator_label_OU">Unidade organizativa (OU):</string> <string name="ssl_validator_label_ST">Estado:</string> <string name="ssl_validator_label_certificate_fingerprint">Pegada</string> <string name="ssl_validator_label_issuer">Emitido por:</string> <string name="ssl_validator_label_signature">Sinatura:</string> <string name="ssl_validator_label_signature_algorithm">Algoritmo:</string> <string name="ssl_validator_label_subject">Emitido para:</string> <string name="ssl_validator_label_validity">Validez:</string> <string name="ssl_validator_label_validity_from">Dende:</string> <string name="ssl_validator_label_validity_to">Ata:</string> <string name="ssl_validator_no_info_about_error"> Non hai informacin sobre este erro</string> <string name="ssl_validator_not_saved">Non foi posbel gardar o certificado</string> <string name="ssl_validator_null_cert">Non posbel amosar o certificado.</string> <string name="ssl_validator_question">Anda as, quere fiar neste certificado igualmente?</string> <string name="ssl_validator_reason_cert_expired"> O certificado do servidor caducou</string> <string name="ssl_validator_reason_cert_not_trusted"> O certificado do servidor non de confianza</string> <string name="ssl_validator_reason_cert_not_yet_valid"> As datas de validez do certificado son do futuro</string> <string name="ssl_validator_reason_hostname_not_verified"> O URL non coincide co nome de mquina no certificado</string> <string name="status_message">Mensaxe de estado</string> <string name="storage_camera">Cmara</string> <string name="storage_choose_location">Escoller a localizacin do almacenamento</string> <string name="storage_description_default">Predeterminado</string> <string name="storage_documents">Documentos</string> <string name="storage_downloads">Descargas</string> <string name="storage_internal_storage">Almacenamento interno</string> <string name="storage_movies">Filmes</string> <string name="storage_music">Msica</string> <string name="storage_permission_full_access">Acceso completo</string> <string name="storage_permission_media_read_only">Medios de s lectura</string> <string name="storage_pictures">Imaxes</string> <string name="store_full_desc">A plataforma de produtividade en aloxamento autnomo que mantn controlada.\n\nCaractersticas:\n* Interface doada e moderna, totalmente tematizada ao aliarse co tema do seu servidor\n* Enviar os seus ficheiros ao seu Nextcloud\n* Compartir os seus ficheiros con outras persoas\n* Conservar os seus ficheiros e cartafoles favoritos sincronizados\n* Buscar en todos os cartafoles do servidor\n* Enviar automaticamente fotos e vdeos feitos no seu dispositivo\n* Estar ao da coas notificacins\n* Admite mltiples contas\n* Acceso seguro aos seus datos con pegada dactilar ou PIN\n* Integracin con DAVx5 (anteriormente coecido como DAVdroid) para facilitar a configuracin da sincronizacin de calendarios e contactos\n\nAgradecmoslle que nos informe de calquera incidente en path_to_url pode conversar sobre esta aplicacin en path_to_url novo en Nextcloud? Nextcloud un servidor privado para sincronizar e compartir ficheiros. completamente libre e pode instalalo Vde. ou contratar a unha empresa ou cooperativa para que o faga por Vde. o camio para que sexa Vde. quen tea o control sobre as sas fotos, calendario, caderno de contactos, documentos e todo o demais.\n\nCoeza Nextcloud en path_to_url <string name="store_full_dev_desc">A plataforma de produtividade en aloxamento autnomo que mantn controlada.\nEsta a versin oficial de desenvolvemento, que presenta unha mostra diaria de calquera nova funcionalidade anda non probada, o que pode provocar inestabilidade e perda de datos. Esta aplicacin est destinada a usuarios que queren probar e informar de fallos (en caso de producirse). Non a use para o da a da!\n\nTanto a versin oficial de desenvolvemento como a normal estn dispobeis no F-Droid e poden instalarse xuntas.</string> <string name="store_short_desc">A plataforma de produtividade en aloxamento autnomo que mantn controlada</string> <string name="store_short_dev_desc">A plataforma de produtividade en aloxamento autnomo que mantn controlada (versin de vista previa de desenvolvemento)</string> <string name="stream">Fluxo con</string> <string name="stream_not_possible_headline">Non posbel facer fluxos internos</string> <string name="stream_not_possible_message">Descargue o medio ou use unha aplicacin externa.</string> <string name="strict_mode">Modo estrito: non se permite a conexin HTTP!</string> <string name="sub_folder_rule_day">Ano/Mes/Da</string> <string name="sub_folder_rule_month">Ano/Mes</string> <string name="sub_folder_rule_year">Ano</string> <string name="subject_shared_with_you">%1$s foi compartido con Vde.</string> <string name="subject_user_shared_with_you">%1$s compartiu %2$s con Vde.</string> <string name="subtitle_photos_only">S fotos</string> <string name="subtitle_photos_videos">Fotos e vdeos</string> <string name="subtitle_videos_only">S vdeos</string> <string name="suggest">Suxerir</string> <string name="sync_conflicts_in_favourites_ticker">Atopronse conflitos</string> <string name="sync_current_folder_was_removed">O cartafol %1$s xa non existe</string> <string name="sync_fail_content">Non foi posbel sincronizar %1$s</string> <string name="sync_fail_content_unauthorized">Contrasinal errneo para %1$s</string> <string name="sync_fail_in_favourites_ticker">Produciuse un fallo no mantemento sincronizado de ficheiros</string> <string name="sync_fail_ticker">Produciuse un fallo na sincronizacin</string> <string name="sync_fail_ticker_unauthorized">Produciuse un fallo na sincronizacin, acceda de novo.</string> <string name="sync_file_nothing_to_do_msg">Os contidos do ficheiro xa estn sincronizados</string> <string name="sync_folder_failed_content">Non foi posbel completar a sincronizacin do cartafol %1$s</string> <string name="sync_foreign_files_forgotten_explanation">A partir da versin 1.3.16, os ficheiros enviados dende este dispositivo cpianse no cartafol local %1$s para evitar a perda de datos cando se sincroniza un nico ficheiro con varias contas.\n\nPor mor deste cambio, todos os ficheiros enviados con versins anteriores desta aplicacin foron copiados no cartafol %2$s. Porn, un erro impediu que se completara esta operacin durante a sincronizacin da conta. Pode deixar o(s) ficheiro(s) tal e como est(n) e eliminar a ligazn cara a %3$s ou mover o(s) ficheiro(s) para o cartafol %1$s e conservar a ligazn cara a %4$s.\n\nEmbaixo amsanse os ficheiros locais e os ficheiros remotos en %5$s aos que foron enlazados.</string> <string name="sync_foreign_files_forgotten_ticker">Esquecronse algns ficheiros locais</string> <string name="sync_in_progress">Recuperando a versin mais recente do ficheiro.</string> <string name="sync_not_enough_space_dialog_action_choose">Escoller que sincronizar</string> <string name="sync_not_enough_space_dialog_action_free_space">Liberar espazo</string> <string name="sync_not_enough_space_dialog_placeholder">%1$s son %2$s, mais s hai %3$sdispobeis no dispositivo.</string> <string name="sync_not_enough_space_dialog_title">Non hai espazo abondo</string> <string name="sync_status_button">Botn do estado da sincronizacin</string> <string name="sync_string_files">Ficheiros</string> <string name="synced_folder_settings_button">Botn de axustes</string> <string name="synced_folders_configure_folders">Configurar os cartafoles</string> <string name="synced_folders_new_info">O envo automtico foi renovado completamente. Reconfigure os seus envos instantneos no men principal.\n\nGoce das novas e ampliadas capacidades do envo automtico!</string> <string name="synced_folders_no_results">Non se atopan cartafoles multimedia</string> <string name="synced_folders_preferences_folder_path">Para %1$s</string> <string name="synced_folders_type">Tipo</string> <string name="synced_icon">Sincronizado</string> <string name="tags">Etiquetas</string> <string name="test_server_button">Probar a conexin co servidor</string> <string name="thirtyMinutes">30 minutos</string> <string name="thisWeek">Esta semana</string> <string name="thumbnail">Miniatura</string> <string name="thumbnail_for_existing_file_description">Miniatura do ficheiro existente</string> <string name="thumbnail_for_new_file_desc">Miniatura do novo ficheiro</string> <string name="timeout_richDocuments">A carga est a levar mis tempo do agardado</string> <string name="today">Hoxe</string> <string name="trashbin_activity_title">Ficheiros eliminados</string> <string name="trashbin_empty_headline">Non hai ficheiros eliminados</string> <string name="trashbin_empty_message">Poder recuperar ficheiros eliminados de aqu.</string> <string name="trashbin_file_not_deleted">Non foi posbel eliminar o ficheiro %1$s!</string> <string name="trashbin_file_not_restored">Non foi posbel restaurar o ficheiro %1$s!</string> <string name="trashbin_file_remove">Eliminar definitivamente</string> <string name="trashbin_loading_failed">Produciuse un fallo ao cargar o cesto do lixo!</string> <string name="trashbin_not_emptied">Non foi posbel eliminar definitivamente o ficheiro!</string> <string name="unified_search_fragment_calendar_event_not_found">Non se atopou o evento, sempre pode sincronizar para actualizar. Redirixindo web</string> <string name="unified_search_fragment_contact_not_found">Non se atopou o contacto, sempre pode sincronizar para actualizar. Redirixindo web</string> <string name="unified_search_fragment_permission_needed">Requrense permisos para abrir o resultado da busca, se non, vai ser redirixido web</string> <string name="unlock_file">Desbloquear ficheiro</string> <string name="unread_comments">Existen comentarios sen ler</string> <string name="unset_encrypted">Definir como NON cifrado</string> <string name="unset_favorite">Retirar dos favoritos</string> <string name="unshare_link_file_error">Produciuse un erro ao tentar deixar de compartir este ficheiro ou cartafol.</string> <string name="unshare_link_file_no_exist">Non posbel deixar de compartir. Comprobe que existe o ficheiro.</string> <string name="unshare_link_forbidden_permissions">para deixar de compartir este ficheiro</string> <string name="unsharing_failed">Produciuse un fallo ao deixar de compartir</string> <string name="untrusted_domain">Acceder a travs dun dominio fibel. Lea a documentacin para obter mis ms informacin.</string> <string name="update_link_file_error">Produciuse un erro ao tentar actualizar o elemento compartido.</string> <string name="update_link_file_no_exist">Non posbel actualizar. Comprobe que o ficheiro existe.</string> <string name="update_link_forbidden_permissions">para actualizar esta comparticin</string> <string name="updating_share_failed">Produciuse un fallo ao actualizar elementos compartidos</string> <string name="upload_action_cancelled_clear">Limpar os envos cancelados</string> <string name="upload_action_cancelled_resume">Retomar os envos cancelados</string> <string name="upload_action_failed_clear">Limpar os envos fallados</string> <string name="upload_action_failed_retry">Tentar de novo os envos fallados</string> <string name="upload_action_file_not_exist_message">Algns ficheiros xa non existen. Non posbel retomar estes envos</string> <string name="upload_action_global_upload_pause">Pausar todos os envos</string> <string name="upload_action_global_upload_resume">Retomar todos os envos</string> <string name="upload_cannot_create_file">Non posbel crear o ficheiro local</string> <string name="upload_chooser_title">Enviar dende</string> <string name="upload_content_from_other_apps">Enviar contido dende outras aplicacins</string> <string name="upload_direct_camera_photo">Foto</string> <string name="upload_direct_camera_promt">Confirma que quere facer unha foto ou un vdeo?</string> <string name="upload_direct_camera_upload">Enviar dende a cmara</string> <string name="upload_direct_camera_video">Vdeo</string> <string name="upload_file_dialog_filename">Nome de ficheiro</string> <string name="upload_file_dialog_filetype">Tipo de ficheiro</string> <string name="upload_file_dialog_filetype_googlemap_shortcut">Ficheiro(%s) de atallo a Google Maps</string> <string name="upload_file_dialog_filetype_internet_shortcut">Ficheiro(%s) de atallo a internet</string> <string name="upload_file_dialog_filetype_snippet_text">Ficheiro de fragmento de texto(.txt)</string> <string name="upload_file_dialog_title">Introduza o nome e o tipo do ficheiro a enviar</string> <string name="upload_files">Enviar ficheiros</string> <string name="upload_global_pause_title">Todos os envos estn en pausa</string> <string name="upload_item_action_button">Botn da accin do envo de elemento</string> <string name="upload_list_delete">Eliminar</string> <string name="upload_list_empty_headline">Non hai envos dispobeis</string> <string name="upload_list_empty_text_auto_upload">Enve algn contido ou active o envo automtico.</string> <string name="upload_list_expand_header">Alternar a expansin da cabeceira</string> <string name="upload_list_resolve_conflict">Resolver conflitos</string> <string name="upload_local_storage_full">O almacenamento local est cheo</string> <string name="upload_local_storage_not_copied">Non foi posbel copiar o ficheiro no almacenamento local</string> <string name="upload_lock_failed">Produciuse un fallo ao bloquear o cartafol</string> <string name="upload_manually_cancelled">O envo foi cancelado polo usuario</string> <string name="upload_notification_manager_start_text">%1$d / %2$d - %3$s</string> <string name="upload_old_android">O cifrado s posbel con &gt;= Android 5.0</string> <string name="upload_query_move_foreign_files">Non hai espazo abondo para copiar os ficheiros seleccionados no cartafol %1$s. No canto diso, gustaralle movelos?</string> <string name="upload_quota_exceeded">Superouse a cota de almacenamento</string> <string name="upload_scan_doc_upload">Escanear o documento dende a cmara</string> <string name="upload_sync_conflict">Conflito ao sincronizar, reslvao manualmente</string> <string name="upload_unknown_error">Produciuse un erro descoecido</string> <string name="uploader_btn_alternative_text">Escoller</string> <string name="uploader_btn_upload_text">Enviar</string> <string name="uploader_error_message_no_file_to_upload">Os datos recibidos non inclen un ficheiro correcto.</string> <string name="uploader_error_message_read_permission_not_granted">%1$s non ten permiso para ler o ficheiro recibido</string> <string name="uploader_error_message_source_file_not_copied">Non foi posbel copiar o ficheiro nun cartafol temporal. Tente volver envialo.</string> <string name="uploader_error_message_source_file_not_found">Non foi atopado o ficheiro seleccionado para enviar. Comprobe se existe o ficheiro.</string> <string name="uploader_error_title_file_cannot_be_uploaded">Non posbel enviar este ficheiro</string> <string name="uploader_error_title_no_file_to_upload">Non hai ficheiros para enviar</string> <string name="uploader_file_not_found_message">Non se atopou o ficheiro. Est seguro de que este ficheiro existe ou non se resolveu un conflito anterior?</string> <string name="uploader_file_not_found_on_server_message">Non foi posbel localizar o ficheiro no servidor. Outro usuario pode ter eliminado o ficheiro</string> <string name="uploader_info_dirname">Nome do cartafol</string> <string name="uploader_local_files_uploaded">Tentar de novo enviar os ficheiros locais que fallaron</string> <string name="uploader_top_message">Escoller o cartafol de envo</string> <string name="uploader_upload_failed_content_single">Non foi posbel enviar: %1$s</string> <string name="uploader_upload_failed_credentials_error">Produciuse un fallo no envo, acceda de novo.</string> <string name="uploader_upload_failed_sync_conflict_error">Conflitos no envo de ficheiros</string> <string name="uploader_upload_failed_sync_conflict_error_content">Escolla a versin para conservar de %1$s</string> <string name="uploader_upload_failed_ticker">Produciuse un fallo no envo</string> <string name="uploader_upload_files_behaviour">Opcin de envo:</string> <string name="uploader_upload_files_behaviour_move_to_nextcloud_folder">Mover o ficheiro para o cartafol %1$s</string> <string name="uploader_upload_files_behaviour_not_writable">o cartafol de orixe de s lectura; O ficheiro s se enviar</string> <string name="uploader_upload_files_behaviour_only_upload">Conservar o ficheiro no cartafol de orixe</string> <string name="uploader_upload_files_behaviour_upload_and_delete_from_source">Eliminar o ficheiro do cartafol de orixe</string> <string name="uploader_upload_forbidden_permissions">para enviar este cartafol</string> <string name="uploader_upload_in_progress">%1$d%% %2$s</string> <string name="uploader_upload_in_progress_content">%1$d%% Enviando %2$s</string> <string name="uploader_upload_in_progress_ticker">Enviando</string> <string name="uploader_upload_succeeded_content_single">Enviado %1$s</string> <string name="uploader_wrn_no_account_quit_btn_text">Sar</string> <string name="uploader_wrn_no_account_setup_btn_text">Configuracin</string> <string name="uploader_wrn_no_account_text">Non existen contas %1$s no seu dispositivo. Prepare antes unha conta.</string> <string name="uploader_wrn_no_account_title">Non se atopou a conta</string> <string name="uploads_view_group_current_uploads">Actual</string> <string name="uploads_view_group_failed_uploads">Produciuse un fallo / reinicio pendente</string> <string name="uploads_view_group_finished_uploads">Enviado</string> <string name="uploads_view_group_manually_cancelled_uploads">Cancelado</string> <string name="uploads_view_later_waiting_to_upload">Agardando para enviar</string> <string name="uploads_view_title">Envos</string> <string name="uploads_view_upload_status_cancelled">Cancelado</string> <string name="uploads_view_upload_status_conflict">Conflito</string> <string name="uploads_view_upload_status_failed_connection_error">Produciuse un erro de conexin</string> <string name="uploads_view_upload_status_failed_credentials_error">Produciuse un erro de credenciais</string> <string name="uploads_view_upload_status_failed_file_error">Produciuse un erro de ficheiro</string> <string name="uploads_view_upload_status_failed_folder_error">Produciuse un erro de cartafol</string> <string name="uploads_view_upload_status_failed_localfile_error">Non se atopou o ficheiro local</string> <string name="uploads_view_upload_status_failed_permission_error"> Produciuse un erro de permisos</string> <string name="uploads_view_upload_status_failed_ssl_certificate_not_trusted">O certificado do servidor non fibel</string> <string name="uploads_view_upload_status_fetching_server_version">Recuperando a versin do servidor</string> <string name="uploads_view_upload_status_service_interrupted">Aplicacin finalizada</string> <string name="uploads_view_upload_status_succeeded">Completado</string> <string name="uploads_view_upload_status_succeeded_same_file">Atopouse o mesmo ficheiro en remoto, omitindo o envo</string> <string name="uploads_view_upload_status_unknown_fail">Produciuse un erro descoecido</string> <string name="uploads_view_upload_status_virus_detected">Detectouse un virus. Non posbel completar o envo!</string> <string name="uploads_view_upload_status_waiting_exit_power_save_mode">Agardando a sar do modo de aforro de enerxa</string> <string name="uploads_view_upload_status_waiting_for_charging">Agardando pola carga</string> <string name="uploads_view_upload_status_waiting_for_wifi">Agardando por wifi sen lmite de datos</string> <string name="user_icon">Usuario</string> <string name="user_info_address">Enderezo</string> <string name="user_info_email">Correo-e</string> <string name="user_info_phone">Nmero de telfono</string> <string name="user_info_twitter">Twitter</string> <string name="user_info_website">Sitio web</string> <string name="user_information_retrieval_error">Produciuse un erro ao recuperar a informacin do usuario</string> <string name="userinfo_no_info_headline">Non foi estabelecida a informacin persoal</string> <string name="userinfo_no_info_text">Engada o seu nome, imaxe e detalles de contacto na sa pxina de perfil.</string> <string name="username">Nome de usuario</string> <string name="version_dev_download">Descargar</string> <string name="video_overlay_icon">Icona de superposicin de vdeo</string> <string name="wait_a_moment">Agarde un chisco</string> <string name="wait_checking_credentials">Verificando as credenciais almacenadas</string> <string name="wait_for_tmp_copy_from_private_storage">Copiando o ficheiro dende o almacenamento privado</string> <string name="webview_version_check_alert_dialog_message">Actualice a aplicacin WebView do sistema Android para acceder</string> <string name="webview_version_check_alert_dialog_positive_button_title">Actualizar</string> <string name="webview_version_check_alert_dialog_title">Actualizar WebView do sistema Android</string> <string name="what_s_new_image">Imaxe de Que hai de novo</string> <string name="whats_new_skip">Omitir</string> <string name="whats_new_title">Novo en %1$s</string> <string name="whats_your_status">Cal o seu estado?</string> <string name="widgets_not_available">Os trebellos s estn dispobeis en %1$s 25 ou posterior</string> <string name="widgets_not_available_title">Non dispobel</string> <string name="worker_download">Descargando ficheiros</string> <string name="write_email">Enviar o correo</string> <string name="wrong_storage_path">O cartafol de almacenamento de datos non existe.</string> <string name="wrong_storage_path_desc">Isto pode deberse a unha restauracin de copia de seguranza noutro dispositivo. Volvendo ao predeterminado. Comprobe as opcins para axustar o cartafol de almacenamento de datos.</string> <plurals name="sync_fail_in_favourites_content"> <item quantity="one">Non foi posbel sincronizar %1$d ficheiro (conflitos: %2$d)</item> <item quantity="other">Non foi posbel sincronizar %1$d ficheiros (conflitos: %2$d)</item> </plurals> <plurals name="sync_foreign_files_forgotten_content"> <item quantity="one">Produciuse un fallo ao copiar%1$d ficheiro do cartafol %2$s en</item> <item quantity="other">Produciuse un fallo ao copiar%1$d ficheiros do cartafol %2$s en</item> </plurals> <plurals name="wrote_n_events_to"> <item quantity="one">Escribiu %1$d evento para %2$s</item> <item quantity="other">Escribronse %1$d eventos para %2$s</item> </plurals> <plurals name="created_n_uids_to"> <item quantity="one">Creouse %1$d UID novo</item> <item quantity="other">Creronse %1$d UID novos</item> </plurals> <plurals name="processed_n_entries"> <item quantity="one">%d entrada procesada.</item> <item quantity="other">%d entradas procesadas.</item> </plurals> <plurals name="found_n_duplicates"> <item quantity="one">Atopouse %d entrada duplicada.</item> <item quantity="other">Atopronse %d entradas duplicadas.</item> </plurals> <plurals name="export_successful"> <item quantity="one">%d ficheiro exportado</item> <item quantity="other">%d ficheiros exportados</item> </plurals> <plurals name="export_failed"> <item quantity="one">Produciuse un erro ao exportar %d ficheiro</item> <item quantity="other">Produciuse un erro ao exportar %d ficheiros</item> </plurals> <plurals name="export_partially_failed"> <item quantity="one">Exportouse %d ficheiro, omitiuse o descanso por mor dun erro</item> <item quantity="other">Exportronse %d ficheiros, omitiuse o descanso por mor dun erro</item> </plurals> <plurals name="export_start"> <item quantity="one">Exportarase %d ficheiro. Consulte a notificacin para obter mis informacin.</item> <item quantity="other">Exportaranse %d ficheiros. Consulte a notificacin para obter mis informacin.</item> </plurals> <plurals name="file_list__footer__folder"> <item quantity="one">%1$d cartafol</item> <item quantity="other">%1$d cartafoles</item> </plurals> <plurals name="file_list__footer__file"> <item quantity="one">%1$d ficheiro</item> <item quantity="other">%1$d ficheiros</item> </plurals> <plurals name="synced_folders_show_hidden_folders"> <item quantity="one">Amosar %1$d ficheiro agochado</item> <item quantity="other">Amosar %1$d ficheiros agochados</item> </plurals> <plurals name="items_selected_count"> <item quantity="one">%d seleccionado</item> <item quantity="other">%d seleccionados</item> </plurals> </resources> ```
/content/code_sandbox/app/src/main/res/values-gl/strings.xml
xml
2016-06-06T21:23:36
2024-08-16T18:22:36
android
nextcloud/android
4,122
24,228
```xml <!-- path_to_url Unless required by applicable law or agreed to in writing, software WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. --> <manifest package="com.linkedin.android.testbutler.core" xmlns:android="path_to_url"> <uses-permission android:name="android.permission.DISABLE_KEYGUARD" /> <application> <service android:name="com.linkedin.android.testbutler.ButlerAccessibilityService" android:exported="true" android:enabled="true" android:permission="android.permission.BIND_ACCESSIBILITY_SERVICE" android:label="@string/accessibility_service_name"> <intent-filter> <action android:name="android.accessibilityservice.AccessibilityService" /> <category android:name="android.accessibilityservice.category.FEEDBACK_AUDIBLE" /> <category android:name="android.accessibilityservice.category.FEEDBACK_HAPTIC" /> <category android:name="android.accessibilityservice.category.FEEDBACK_SPOKEN" /> </intent-filter> <meta-data android:name="android.accessibilityservice" android:resource="@xml/accessibility_service_config" /> </service> </application> </manifest> ```
/content/code_sandbox/test-butler-app-core/src/main/AndroidManifest.xml
xml
2016-07-28T19:07:01
2024-08-02T11:19:40
test-butler
linkedin/test-butler
1,046
256
```xml import type { CancellationToken, Disposable } from 'vscode'; import type { Container } from '../../container'; import { AuthenticationRequiredError, CancellationError } from '../../errors'; import type { RemoteProvider } from '../../git/remotes/remoteProvider'; import { log } from '../../system/decorators/log'; import { Logger } from '../../system/logger'; import { getLogScope } from '../../system/logger.scope'; import type { ServerConnection } from '../gk/serverConnection'; import { ensureAccount } from '../utils'; export interface EnrichableItem { type: EnrichedItemResponse['entityType']; id: string; provider: EnrichedItemResponse['provider']; url: string; expiresAt?: string; } export type EnrichedItem = { id: string; userId?: string; type: EnrichedItemResponse['type']; provider: EnrichedItemResponse['provider']; entityType: EnrichedItemResponse['entityType']; entityId: string; entityUrl: string; createdAt: string; updatedAt: string; expiresAt?: string; }; type EnrichedItemRequest = { provider: EnrichedItemResponse['provider']; entityType: EnrichedItemResponse['entityType']; entityId: string; entityUrl: string; expiresAt?: string; }; type EnrichedItemResponse = { id: string; userId?: string; type: 'pin' | 'snooze'; provider: 'azure' | 'bitbucket' | 'github' | 'gitlab' | 'jira' | 'trello' | 'gitkraken'; entityType: 'issue' | 'pr'; entityId: string; entityUrl: string; createdAt: string; updatedAt: string; expiresAt?: string; }; export class EnrichmentService implements Disposable { constructor( private readonly container: Container, private readonly connection: ServerConnection, ) {} dispose(): void {} private async delete(id: string, context: 'unpin' | 'unsnooze'): Promise<void> { const scope = getLogScope(); try { const rsp = await this.connection.fetchGkDevApi(`v1/enrich-items/${id}`, { method: 'DELETE' }); if (!rsp.ok) throw new Error(`Unable to ${context} item '${id}': (${rsp.status}) ${rsp.statusText}`); } catch (ex) { Logger.error(ex, scope); debugger; throw ex; } } @log() async get(type?: EnrichedItemResponse['type'], cancellation?: CancellationToken): Promise<EnrichedItem[]> { const scope = getLogScope(); try { type Result = { data: EnrichedItemResponse[] }; const rsp = await this.connection.fetchGkDevApi('v1/enrich-items', { method: 'GET' }); if (cancellation?.isCancellationRequested) throw new CancellationError(); const result = (await rsp.json()) as Result; if (cancellation?.isCancellationRequested) throw new CancellationError(); return type == null ? result.data : result.data.filter(i => i.type === type); } catch (ex) { if (ex instanceof AuthenticationRequiredError) return []; Logger.error(ex, scope); debugger; throw ex; } } @log() getPins(cancellation?: CancellationToken): Promise<EnrichedItem[]> { return this.get('pin', cancellation); } @log() getSnoozed(cancellation?: CancellationToken): Promise<EnrichedItem[]> { return this.get('snooze', cancellation); } @log<EnrichmentService['pinItem']>({ args: { 0: i => `${i.id} (${i.provider} ${i.type})` } }) async pinItem(item: EnrichableItem): Promise<EnrichedItem> { const scope = getLogScope(); try { if ( !(await ensureAccount(this.container, 'Pinning is a Preview feature and requires an account.', { source: 'launchpad', detail: 'pin', })) ) { throw new Error('Unable to pin item: account required'); } type Result = { data: EnrichedItemResponse }; const rq: EnrichedItemRequest = { provider: item.provider, entityType: item.type, entityId: item.id, entityUrl: item.url, }; const rsp = await this.connection.fetchGkDevApi('v1/enrich-items/pin', { method: 'POST', body: JSON.stringify(rq), }); if (!rsp.ok) { throw new Error( `Unable to pin item '${rq.provider}|${rq.entityUrl}#${item.id}': (${rsp.status}) ${rsp.statusText}`, ); } const result = (await rsp.json()) as Result; return result.data; } catch (ex) { Logger.error(ex, scope); debugger; throw ex; } } @log() unpinItem(id: string): Promise<void> { return this.delete(id, 'unpin'); } @log<EnrichmentService['snoozeItem']>({ args: { 0: i => `${i.id} (${i.provider} ${i.type})` } }) async snoozeItem(item: EnrichableItem): Promise<EnrichedItem> { const scope = getLogScope(); try { if ( !(await ensureAccount(this.container, 'Snoozing is a Preview feature and requires an acccount.', { source: 'launchpad', detail: 'snooze', })) ) { throw new Error('Unable to snooze item: subscription required'); } type Result = { data: EnrichedItemResponse }; const rq: EnrichedItemRequest = { provider: item.provider, entityType: item.type, entityId: item.id, entityUrl: item.url, }; if (item.expiresAt != null) { rq.expiresAt = item.expiresAt; } const rsp = await this.connection.fetchGkDevApi('v1/enrich-items/snooze', { method: 'POST', body: JSON.stringify(rq), }); if (!rsp.ok) { throw new Error( `Unable to snooze item '${rq.provider}|${rq.entityUrl}#${item.id}': (${rsp.status}) ${rsp.statusText}`, ); } const result = (await rsp.json()) as Result; return result.data; } catch (ex) { Logger.error(ex, scope); debugger; throw ex; } } @log() unsnoozeItem(id: string): Promise<void> { return this.delete(id, 'unsnooze'); } } const supportedRemoteProvidersToEnrich: Record<RemoteProvider['id'], EnrichedItemResponse['provider'] | undefined> = { 'azure-devops': 'azure', bitbucket: 'bitbucket', 'bitbucket-server': 'bitbucket', custom: undefined, gerrit: undefined, gitea: undefined, github: 'github', gitlab: 'gitlab', 'google-source': undefined, }; export function convertRemoteProviderToEnrichProvider(provider: RemoteProvider): EnrichedItemResponse['provider'] { return convertRemoteProviderIdToEnrichProvider(provider.id); } export function convertRemoteProviderIdToEnrichProvider(id: RemoteProvider['id']): EnrichedItemResponse['provider'] { const enrichProvider = supportedRemoteProvidersToEnrich[id]; if (enrichProvider == null) throw new Error(`Unknown remote provider '${id}'`); return enrichProvider; } export function isEnrichableRemoteProviderId(id: string): id is RemoteProvider['id'] { return supportedRemoteProvidersToEnrich[id as RemoteProvider['id']] != null; } ```
/content/code_sandbox/src/plus/focus/enrichmentService.ts
xml
2016-08-08T14:50:30
2024-08-15T21:25:09
vscode-gitlens
gitkraken/vscode-gitlens
8,889
1,725
```xml /// /// /// /// path_to_url /// /// Unless required by applicable law or agreed to in writing, software /// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. /// import { Component, Inject, OnInit } from '@angular/core'; import { MAT_DIALOG_DATA, MatDialog, MatDialogRef } from '@angular/material/dialog'; import { Store } from '@ngrx/store'; import { AppState } from '@core/core.state'; import { UntypedFormBuilder, UntypedFormGroup, Validators } from '@angular/forms'; import { DialogComponent } from '@shared/components/dialog.component'; import { Router } from '@angular/router'; import { ImageService } from '@core/http/image.service'; import { ImageResource, ImageResourceInfo, imageResourceType } from '@shared/models/resource.models'; import { UploadImageDialogComponent, UploadImageDialogData, UploadImageDialogResult } from '@shared/components/image/upload-image-dialog.component'; import { UrlHolder } from '@shared/pipe/image.pipe'; import { ImportExportService } from '@shared/import-export/import-export.service'; import { EmbedImageDialogComponent, EmbedImageDialogData } from '@shared/components/image/embed-image-dialog.component'; export interface ImageDialogData { readonly: boolean; image: ImageResourceInfo; } @Component({ selector: 'tb-image-dialog', templateUrl: './image-dialog.component.html', styleUrls: ['./image-dialog.component.scss'] }) export class ImageDialogComponent extends DialogComponent<ImageDialogComponent, ImageResourceInfo> implements OnInit { image: ImageResourceInfo; readonly: boolean; imageFormGroup: UntypedFormGroup; imageChanged = false; imagePreviewData: UrlHolder; constructor(protected store: Store<AppState>, protected router: Router, private imageService: ImageService, private dialog: MatDialog, private importExportService: ImportExportService, @Inject(MAT_DIALOG_DATA) private data: ImageDialogData, public dialogRef: MatDialogRef<ImageDialogComponent, ImageResourceInfo>, public fb: UntypedFormBuilder) { super(store, router, dialogRef); this.image = data.image; this.readonly = data.readonly; this.imagePreviewData = { url: this.image.link }; } ngOnInit(): void { this.imageFormGroup = this.fb.group({ title: [this.image.title, [Validators.required]] }); if (this.data.readonly) { this.imageFormGroup.disable(); } } cancel(): void { this.dialogRef.close(this.imageChanged ? this.image : null); } revertInfo(): void { this.imageFormGroup.get('title').setValue(this.image.title); this.imageFormGroup.markAsPristine(); } saveInfo(): void { const title: string = this.imageFormGroup.get('title').value; const image = {...this.image, ...{title}}; this.imageService.updateImageInfo(image).subscribe( (saved) => { this.image = saved; this.imageChanged = true; this.imageFormGroup.markAsPristine(); } ); } downloadImage($event) { if ($event) { $event.stopPropagation(); } this.imageService.downloadImage(imageResourceType(this.image), this.image.resourceKey).subscribe(); } exportImage($event) { if ($event) { $event.stopPropagation(); } this.importExportService.exportImage(imageResourceType(this.image), this.image.resourceKey); } embedImage($event: Event) { if ($event) { $event.stopPropagation(); } this.dialog.open<EmbedImageDialogComponent, EmbedImageDialogData, ImageResourceInfo>(EmbedImageDialogComponent, { disableClose: true, panelClass: ['tb-dialog', 'tb-fullscreen-dialog'], data: { image: this.image, readonly: this.readonly } }).afterClosed().subscribe((result) => { if (result) { this.imageChanged = true; this.image = result; this.imagePreviewData = { url: this.image.public ? this.image.publicLink : this.image.link }; } }); } updateImage($event): void { if ($event) { $event.stopPropagation(); } this.dialog.open<UploadImageDialogComponent, UploadImageDialogData, UploadImageDialogResult>(UploadImageDialogComponent, { disableClose: true, panelClass: ['tb-dialog', 'tb-fullscreen-dialog'], data: { imageSubType: this.image.resourceSubType, image: this.image } }).afterClosed().subscribe((result) => { if (result?.image) { this.imageChanged = true; this.image = result.image; let url; if (result.image.base64) { url = result.image.base64; } else { url = this.image.link; } this.imagePreviewData = {url}; } }); } } ```
/content/code_sandbox/ui-ngx/src/app/shared/components/image/image-dialog.component.ts
xml
2016-12-01T09:33:30
2024-08-16T19:58:25
thingsboard
thingsboard/thingsboard
16,820
1,045
```xml <?xml version="1.0" encoding="utf-8"?> <shape xmlns:android="path_to_url" android:shape="rectangle"> <corners android:radius="@dimen/material3_card_list_item_corner_radius" /> <solid android:color="?attr/colorSurface" /> <padding android:left="@dimen/little_margin" android:top="@dimen/little_margin" android:right="@dimen/little_margin" android:bottom="@dimen/little_margin" /> </shape> ```
/content/code_sandbox/app/src/main/res/drawable/snackbar_background.xml
xml
2016-02-21T04:39:19
2024-08-16T13:35:51
GeometricWeather
WangDaYeeeeee/GeometricWeather
2,420
113
```xml import { Route, Routes, useLocation, useNavigate } from "react-router-dom"; import React from "react"; import asyncComponent from "@erxes/ui/src/components/AsyncComponent"; import queryString from "query-string"; const List = asyncComponent( () => import( /* webpackChunkName: "Settings - List EmailTemplate" */ "./containers/List" ) ); const EmailTemplates = () => { const location = useLocation(); const navigate = useNavigate(); return ( <List queryParams={queryString.parse(location.search)} location={location} navigate={navigate} /> ); }; const routes = () => ( <Routes> <Route path="/settings/email-templates/" element={<EmailTemplates />} /> </Routes> ); export default routes; ```
/content/code_sandbox/packages/plugin-emailtemplates-ui/src/routes.tsx
xml
2016-11-11T06:54:50
2024-08-16T10:26:06
erxes
erxes/erxes
3,479
165
```xml /* * @license Apache-2.0 * * * * path_to_url * * Unless required by applicable law or agreed to in writing, software * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. */ import id2pkg = require( './index' ); // TESTS // // The function returns a string or null... { id2pkg( '0H5' ); // $ExpectType string | null } // The compiler throws an error if the function is not provided a string... { id2pkg( 5 ); // $ExpectError id2pkg( true ); // $ExpectError id2pkg( false ); // $ExpectError id2pkg( null ); // $ExpectError id2pkg( undefined ); // $ExpectError id2pkg( [] ); // $ExpectError id2pkg( {} ); // $ExpectError id2pkg( ( x: number ): number => x ); // $ExpectError } // The compiler throws an error if the function is provided an unsupported number of arguments... { id2pkg( 'base.sin', 'beep' ); // $ExpectError } ```
/content/code_sandbox/lib/node_modules/@stdlib/error/tools/id2pkg/docs/types/test.ts
xml
2016-03-24T04:19:52
2024-08-16T09:03:19
stdlib
stdlib-js/stdlib
4,266
244
```xml export interface IHelloConfigurationProps { } ```
/content/code_sandbox/samples/react-property-pane-navigation/src/webparts/helloConfiguration/components/IHelloConfigurationProps.ts
xml
2016-08-30T17:21:43
2024-08-16T18:41:32
sp-dev-fx-webparts
pnp/sp-dev-fx-webparts
2,027
9
```xml import { ComponentFixture, TestBed } from '@angular/core/testing'; import { CUSTOM_ELEMENTS_SCHEMA } from '@angular/core'; import { ActivatedRoute, Router } from '@angular/router'; import { SessionService } from '../../../shared/services/session.service'; import { of } from 'rxjs'; import { ProjectConfigComponent } from './project-config.component'; import { SharedTestingModule } from '../../../shared/shared.module'; describe('ProjectConfigComponent', () => { let component: ProjectConfigComponent; let fixture: ComponentFixture<ProjectConfigComponent>; let fakeSessionService = { getCurrentUser: function () { return { has_admin_role: true }; }, }; let fakeRouter = null; beforeEach(() => { TestBed.configureTestingModule({ declarations: [ProjectConfigComponent], schemas: [CUSTOM_ELEMENTS_SCHEMA], imports: [SharedTestingModule], providers: [ { provide: ActivatedRoute, useValue: { paramMap: of({ get: key => 'value' }), snapshot: { parent: { parent: { params: { id: 1, chart: 'chart', version: 1.0, }, data: { projectResolver: { role_name: 'admin', }, }, }, }, }, }, }, { provide: Router, useValue: fakeRouter }, { provide: SessionService, useValue: fakeSessionService }, ], }).compileComponents(); }); beforeEach(() => { fixture = TestBed.createComponent(ProjectConfigComponent); component = fixture.componentInstance; fixture.detectChanges(); }); it('should create', () => { expect(component).toBeTruthy(); }); }); ```
/content/code_sandbox/src/portal/src/app/base/project/project-config/project-config.component.spec.ts
xml
2016-01-28T21:10:28
2024-08-16T15:28:34
harbor
goharbor/harbor
23,335
345
```xml import { isEmpty } from 'lodash'; import { createTheme } from '../utils/createTheme'; import { findUpdates } from '../utils/findUpdates'; import { runUpdateThemesCLI } from '../utils/updateThemesCLI'; import { CREATE_THEME_PARAMS } from '../utils/constants'; const createThemeOutputs = CREATE_THEME_PARAMS.reduce( // @ts-ignore ts-migrate(2345) FIXME: Argument of type 'string | CreateThemeParams' is n... Remove this comment to see the full error message (outputs, theme) => [[theme[0], createTheme(theme[1])], ...outputs], [] ); // @ts-ignore ts-migrate(2345) FIXME: Argument of type '(string | CreateThemeParams | (s... Remove this comment to see the full error message const pendingUpdates = findUpdates(createThemeOutputs); if (!isEmpty(pendingUpdates)) { // opens CLI which will allow user to update theme outputs in 'themes/daedalus' runUpdateThemesCLI(pendingUpdates); } ```
/content/code_sandbox/source/renderer/app/themes/scripts/update.ts
xml
2016-10-05T13:48:54
2024-08-13T22:03:19
daedalus
input-output-hk/daedalus
1,230
212
```xml <!-- *********************************************************************************************** Microsoft.NET.SupportedTargetFrameworks.targets WARNING: DO NOT MODIFY this file unless you are knowledgeable about MSBuild and have created a backup copy. Incorrect changes to this file will make it impossible to load or build your projects from the command-line or the IDE. *********************************************************************************************** --> <!-- This file contains a list of the TFMs that are supported by this SDK for .NET Core, .NET Standard, and .NET Framework. This is used by VS to show the list of frameworks to which projects can be retargeted. --> <Project> <!-- .NET Core App --> <ItemGroup> <SupportedNETCoreAppTargetFramework Include=".NETCoreApp,Version=v1.0" DisplayName=".NET Core 1.0" Alias="netcoreapp1.0" /> <SupportedNETCoreAppTargetFramework Include=".NETCoreApp,Version=v1.1" DisplayName=".NET Core 1.1" Alias="netcoreapp1.1" /> <SupportedNETCoreAppTargetFramework Include=".NETCoreApp,Version=v2.0" DisplayName=".NET Core 2.0" Alias="netcoreapp2.0" /> <SupportedNETCoreAppTargetFramework Include=".NETCoreApp,Version=v2.1" DisplayName=".NET Core 2.1" Alias="netcoreapp2.1" /> <SupportedNETCoreAppTargetFramework Include=".NETCoreApp,Version=v2.2" DisplayName=".NET Core 2.2" Alias="netcoreapp2.2" /> <SupportedNETCoreAppTargetFramework Include=".NETCoreApp,Version=v3.0" DisplayName=".NET Core 3.0" Alias="netcoreapp3.0" /> <SupportedNETCoreAppTargetFramework Include=".NETCoreApp,Version=v3.1" DisplayName=".NET Core 3.1" Alias="netcoreapp3.1" /> <SupportedNETCoreAppTargetFramework Include=".NETCoreApp,Version=v5.0" DisplayName=".NET 5.0" Alias="net5.0" /> <SupportedNETCoreAppTargetFramework Include=".NETCoreApp,Version=v6.0" DisplayName=".NET 6.0" Alias="net6.0" /> <SupportedNETCoreAppTargetFramework Include=".NETCoreApp,Version=v7.0" DisplayName=".NET 7.0" Alias="net7.0" /> <SupportedNETCoreAppTargetFramework Include=".NETCoreApp,Version=v8.0" DisplayName=".NET 8.0" Alias="net8.0" Condition="$([MSBuild]::VersionGreaterThanOrEquals($(MSBuildVersion), '17.8.0'))"/> <SupportedNETCoreAppTargetFramework Include=".NETCoreApp,Version=v9.0" DisplayName=".NET 9.0" Alias="net9.0" /> </ItemGroup> <PropertyGroup> <UnsupportedTargetFrameworkVersion>10.0</UnsupportedTargetFrameworkVersion> <MinimumVisualStudioVersionForUnsupportedTargetFrameworkVersion>17.12</MinimumVisualStudioVersionForUnsupportedTargetFrameworkVersion> </PropertyGroup> <!-- .NET Standard --> <ItemGroup> <SupportedNETStandardTargetFramework Include=".NETStandard,Version=v1.0" DisplayName=".NET Standard 1.0" Alias="netstandard1.0" /> <SupportedNETStandardTargetFramework Include=".NETStandard,Version=v1.1" DisplayName=".NET Standard 1.1" Alias="netstandard1.1" /> <SupportedNETStandardTargetFramework Include=".NETStandard,Version=v1.2" DisplayName=".NET Standard 1.2" Alias="netstandard1.2" /> <SupportedNETStandardTargetFramework Include=".NETStandard,Version=v1.3" DisplayName=".NET Standard 1.3" Alias="netstandard1.3" /> <SupportedNETStandardTargetFramework Include=".NETStandard,Version=v1.4" DisplayName=".NET Standard 1.4" Alias="netstandard1.4" /> <SupportedNETStandardTargetFramework Include=".NETStandard,Version=v1.5" DisplayName=".NET Standard 1.5" Alias="netstandard1.5" /> <SupportedNETStandardTargetFramework Include=".NETStandard,Version=v1.6" DisplayName=".NET Standard 1.6" Alias="netstandard1.6" /> <SupportedNETStandardTargetFramework Include=".NETStandard,Version=v2.0" DisplayName=".NET Standard 2.0" Alias="netstandard2.0" /> <SupportedNETStandardTargetFramework Include=".NETStandard,Version=v2.1" DisplayName=".NET Standard 2.1" Alias="netstandard2.1" /> </ItemGroup> <!-- .NET Framework --> <ItemGroup> <SupportedNETFrameworkTargetFramework Include=".NETFramework,Version=v2.0" DisplayName=".NET Framework 2.0" Alias="net20" /> <SupportedNETFrameworkTargetFramework Include=".NETFramework,Version=v3.0" DisplayName=".NET Framework 3.0" Alias="net30" /> <SupportedNETFrameworkTargetFramework Include=".NETFramework,Version=v3.5" DisplayName=".NET Framework 3.5" Alias="net35" /> <SupportedNETFrameworkTargetFramework Include=".NETFramework,Version=v4.0" DisplayName=".NET Framework 4.0" Alias="net40" /> <SupportedNETFrameworkTargetFramework Include=".NETFramework,Version=v4.5" DisplayName=".NET Framework 4.5" Alias="net45" /> <SupportedNETFrameworkTargetFramework Include=".NETFramework,Version=v4.5.1" DisplayName=".NET Framework 4.5.1" Alias="net451" /> <SupportedNETFrameworkTargetFramework Include=".NETFramework,Version=v4.5.2" DisplayName=".NET Framework 4.5.2" Alias="net452" /> <SupportedNETFrameworkTargetFramework Include=".NETFramework,Version=v4.6" DisplayName=".NET Framework 4.6" Alias="net46" /> <SupportedNETFrameworkTargetFramework Include=".NETFramework,Version=v4.6.1" DisplayName=".NET Framework 4.6.1" Alias="net461" /> <SupportedNETFrameworkTargetFramework Include=".NETFramework,Version=v4.6.2" DisplayName=".NET Framework 4.6.2" Alias="net462" /> <SupportedNETFrameworkTargetFramework Include=".NETFramework,Version=v4.7" DisplayName=".NET Framework 4.7" Alias="net47" /> <SupportedNETFrameworkTargetFramework Include=".NETFramework,Version=v4.7.1" DisplayName=".NET Framework 4.7.1" Alias="net471" /> <SupportedNETFrameworkTargetFramework Include=".NETFramework,Version=v4.7.2" DisplayName=".NET Framework 4.7.2" Alias="net472" /> <SupportedNETFrameworkTargetFramework Include=".NETFramework,Version=v4.8" DisplayName=".NET Framework 4.8" Alias="net48" /> <SupportedNETFrameworkTargetFramework Include=".NETFramework,Version=v4.8.1" DisplayName=".NET Framework 4.8.1" Alias="net481" /> </ItemGroup> <!-- All supported target frameworks --> <ItemGroup> <SupportedTargetFramework Include="@(SupportedNETCoreAppTargetFramework);@(SupportedNETStandardTargetFramework);@(SupportedNETFrameworkTargetFramework)" /> </ItemGroup> </Project> ```
/content/code_sandbox/src/Tasks/Microsoft.NET.Build.Tasks/targets/Microsoft.NET.SupportedTargetFrameworks.props
xml
2016-07-22T21:26:02
2024-08-16T17:23:58
sdk
dotnet/sdk
2,627
1,605
```xml import { MSGraphClient } from "@microsoft/sp-http"; import { ITeam, IChannel } from "../interfaces"; import { ITeamsService } from "./ITeamsService"; export class TeamsService implements ITeamsService { private _graphClient: MSGraphClient; /** * class constructor * @param _graphClient the graph client to be used on the request */ constructor(graphClient: MSGraphClient) { // set web part context this._graphClient = graphClient; } public GetTeams = async (): Promise<ITeam[]> => { return await this._getTeams(); } private _getTeams = async (): Promise<ITeam[]> => { let myTeams: ITeam[] = []; try { const teamsResponse = await this._graphClient.api('me/joinedTeams').version('v1.0').get(); myTeams = teamsResponse.value as ITeam[]; } catch (error) { console.log('Error getting teams', error); } return myTeams; } public GetTeamChannels = async (teamId): Promise<IChannel[]> => { return await this._getTeamChannels(teamId); } private _getTeamChannels = async (teamId): Promise<IChannel[]> => { let channels: IChannel[] = []; try { const channelsResponse = await this._graphClient.api(`teams/${teamId}/channels`).version('v1.0').get(); channels = channelsResponse.value as IChannel[]; } catch (error) { console.log('Error getting channels for team ' + teamId, error); } return channels; } } ```
/content/code_sandbox/samples/react-my-teams/src/shared/services/TeamsService.ts
xml
2016-08-30T17:21:43
2024-08-16T18:41:32
sp-dev-fx-webparts
pnp/sp-dev-fx-webparts
2,027
354
```xml /* * * * path_to_url * * Unless required by applicable law or agreed to in writing, software * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. */ import { Replacement } from "tslint"; import type { JsxTagNameExpression } from "typescript"; /** Replace the name of a JSX tag. */ export function replaceTagName(tagName: JsxTagNameExpression, newTagName: string) { return new Replacement(tagName.getFullStart(), tagName.getFullWidth(), newTagName); } ```
/content/code_sandbox/packages/tslint-config/src/rules/utils/replaceTagName.ts
xml
2016-10-25T21:17:50
2024-08-16T15:14:48
blueprint
palantir/blueprint
20,593
108
```xml // Composables import { createHeaders } from '../composables/headers' import { transformItems as _transformItems } from '../composables/items' import { sortItems as _sortItems } from '../composables/sort' // Utilities import { describe, expect, it } from '@jest/globals' import { mount } from '@vue/test-utils' // Types import type { SortItem } from '../composables/sort' import type { DataTableCompareFunction, DataTableHeader, DataTableItem } from '@/components/VDataTable/types' function transformItems (items: any[], headers?: DataTableHeader[]) { let _items: DataTableItem[] mount({ setup () { const { columns } = createHeaders({ items, headers }) _items = _transformItems({} as any, items, columns.value) return () => {} }, }) return _items! } function sortItems (items: any[], sortBy: SortItem[], sortFunctions?: Record<string, DataTableCompareFunction>) { return _sortItems(items, sortBy, 'en', { sortFunctions, transform: item => item.columns, }) } describe('VDataTable - sorting', () => { it('should sort items by single column', () => { const items = transformItems([ { string: 'foo', number: 1 }, { string: 'bar', number: 2 }, { string: 'baz', number: 4 }, { string: 'fizzbuzz', number: 3 }, ]) expect( sortItems(items, [{ key: 'string', order: 'asc' }]) .map(i => i.raw) ).toStrictEqual([ { string: 'bar', number: 2 }, { string: 'baz', number: 4 }, { string: 'fizzbuzz', number: 3 }, { string: 'foo', number: 1 }, ]) expect( sortItems(items, [{ key: 'string', order: 'desc' }]) .map(i => i.raw) ).toStrictEqual([ { string: 'foo', number: 1 }, { string: 'fizzbuzz', number: 3 }, { string: 'baz', number: 4 }, { string: 'bar', number: 2 }, ]) expect( sortItems(items, [{ key: 'number', order: 'asc' }]) .map(i => i.raw) ).toStrictEqual([ { string: 'foo', number: 1 }, { string: 'bar', number: 2 }, { string: 'fizzbuzz', number: 3 }, { string: 'baz', number: 4 }, ]) expect( sortItems(items, [{ key: 'number', order: 'desc' }]) .map(i => i.raw) ).toStrictEqual([ { string: 'baz', number: 4 }, { string: 'fizzbuzz', number: 3 }, { string: 'bar', number: 2 }, { string: 'foo', number: 1 }, ]) expect( sortItems(items, [{ key: 'number', order: 'asc' }], { number: (a, b) => b - a }) .map(i => i.raw) ).toStrictEqual([ { string: 'baz', number: 4 }, { string: 'fizzbuzz', number: 3 }, { string: 'bar', number: 2 }, { string: 'foo', number: 1 }, ]) expect( sortItems(items, [{ key: 'number', order: 'desc' }], { number: (a, b) => b - a }) .map(i => i.raw) ).toStrictEqual([ { string: 'foo', number: 1 }, { string: 'bar', number: 2 }, { string: 'fizzbuzz', number: 3 }, { string: 'baz', number: 4 }, ]) }) it('should sort items with deep structure', () => { const items = transformItems([ { foo: { bar: { baz: 3 } } }, { foo: { bar: { baz: 1 } } }, { foo: { bar: { baz: 2 } } }, ], [{ key: 'foo.bar.baz' }]) expect( sortItems(items, [{ key: 'foo.bar.baz', order: 'asc' }]) .map(i => i.raw) ).toStrictEqual([ { foo: { bar: { baz: 1 } } }, { foo: { bar: { baz: 2 } } }, { foo: { bar: { baz: 3 } } }, ]) }) it('should sort items by multiple columns', () => { const items = transformItems([ { string: 'foo', number: 1 }, { string: 'bar', number: 3 }, { string: 'baz', number: 2 }, { string: 'baz', number: 1 }, ]) expect( sortItems(items, [{ key: 'string', order: 'asc' }, { key: 'number', order: 'asc' }]) .map(i => i.raw) ).toStrictEqual([ { string: 'bar', number: 3 }, { string: 'baz', number: 1 }, { string: 'baz', number: 2 }, { string: 'foo', number: 1 }, ]) // { string: 'foo', number: 1 }, // { string: 'bar', number: 3 }, // { string: 'baz', number: 2 }, // { string: 'baz', number: 1 }, // { string: 'bar', number: 3 }, // { string: 'baz', number: 2 }, // { string: 'baz', number: 1 }, // { string: 'foo', number: 1 }, expect( sortItems(items, [{ key: 'string', order: 'desc' }, { key: 'number', order: 'asc' }]) .map(i => i.raw) ).toStrictEqual([ { string: 'foo', number: 1 }, { string: 'baz', number: 1 }, { string: 'baz', number: 2 }, { string: 'bar', number: 3 }, ]) expect( sortItems(items, [{ key: 'string', order: 'asc' }, { key: 'number', order: 'desc' }]) .map(i => i.raw) ).toStrictEqual([ { string: 'bar', number: 3 }, { string: 'baz', number: 2 }, { string: 'baz', number: 1 }, { string: 'foo', number: 1 }, ]) expect( sortItems(items, [{ key: 'string', order: 'desc' }, { key: 'number', order: 'desc' }]) .map(i => i.raw) ).toStrictEqual([ { string: 'foo', number: 1 }, { string: 'baz', number: 2 }, { string: 'baz', number: 1 }, { string: 'bar', number: 3 }, ]) expect( sortItems(items, [{ key: 'number', order: 'asc' }, { key: 'string', order: 'asc' }]) .map(i => i.raw) ).toStrictEqual([ { string: 'baz', number: 1 }, { string: 'foo', number: 1 }, { string: 'baz', number: 2 }, { string: 'bar', number: 3 }, ]) expect( sortItems(items, [{ key: 'number', order: 'desc' }, { key: 'string', order: 'asc' }]) .map(i => i.raw) ).toStrictEqual([ { string: 'bar', number: 3 }, { string: 'baz', number: 2 }, { string: 'baz', number: 1 }, { string: 'foo', number: 1 }, ]) expect( sortItems(items, [{ key: 'number', order: 'asc' }, { key: 'string', order: 'desc' }]) .map(i => i.raw) ).toStrictEqual([ { string: 'foo', number: 1 }, { string: 'baz', number: 1 }, { string: 'baz', number: 2 }, { string: 'bar', number: 3 }, ]) expect( sortItems(items, [{ key: 'number', order: 'desc' }, { key: 'string', order: 'desc' }]) .map(i => i.raw) ).toStrictEqual([ { string: 'bar', number: 3 }, { string: 'baz', number: 2 }, { string: 'foo', number: 1 }, { string: 'baz', number: 1 }, ]) expect( sortItems(items, [{ key: 'string', order: 'asc' }, { key: 'number', order: 'asc' }], { number: (a, b) => b - a }) .map(i => i.raw) ).toStrictEqual([ { string: 'bar', number: 3 }, { string: 'baz', number: 2 }, { string: 'baz', number: 1 }, { string: 'foo', number: 1 }, ]) expect( sortItems(items, [{ key: 'number', order: 'asc' }, { key: 'string', order: 'asc' }], { number: (a, b) => b - a }) .map(i => i.raw) ).toStrictEqual([ { string: 'bar', number: 3 }, { string: 'baz', number: 2 }, { string: 'baz', number: 1 }, { string: 'foo', number: 1 }, ]) }) it('should sort items with nullable column', () => { const items = transformItems([ { string: 'foo', number: 1 }, { string: 'bar', number: null }, { string: 'baz', number: 4 }, { string: 'fizzbuzz', number: 3 }, { string: 'foobar', number: 5 }, { string: 'barbaz', number: undefined }, { string: 'foobarbuzz', number: '' }, ]) expect( sortItems(items, [{ key: 'number', order: 'asc' }]) .map(i => i.raw) ).toStrictEqual([ { string: 'bar', number: null }, { string: 'barbaz', number: undefined }, { string: 'foobarbuzz', number: '' }, { string: 'foo', number: 1 }, { string: 'fizzbuzz', number: 3 }, { string: 'baz', number: 4 }, { string: 'foobar', number: 5 }, ]) expect( sortItems(items, [{ key: 'number', order: 'desc' }]) .map(i => i.raw) ).toStrictEqual([ { string: 'foobar', number: 5 }, { string: 'baz', number: 4 }, { string: 'fizzbuzz', number: 3 }, { string: 'foo', number: 1 }, { string: 'bar', number: null }, { string: 'barbaz', number: undefined }, { string: 'foobarbuzz', number: '' }, ]) }) }) ```
/content/code_sandbox/packages/vuetify/src/components/VDataTable/__tests__/sort.spec.ts
xml
2016-09-12T00:39:35
2024-08-16T20:06:39
vuetify
vuetifyjs/vuetify
39,539
2,526
```xml // luma.gl import type { ShaderLayout, UniformBinding, UniformBlockBinding, AttributeDeclaration, VaryingBinding } from '@luma.gl/core'; import {GL} from '@luma.gl/constants'; import {decodeGLUniformType, decodeGLAttributeType, isSamplerUniform} from './decode-webgl-types'; /** * Extract metadata describing binding information for a program's shaders * Note: `linkProgram()` needs to have been called * (although linking does not need to have been successful). */ export function getShaderLayout(gl: WebGL2RenderingContext, program: WebGLProgram): ShaderLayout { const shaderLayout: ShaderLayout = { attributes: [], bindings: [] }; shaderLayout.attributes = readAttributeDeclarations(gl, program); // Uniform blocks const uniformBlocks: UniformBlockBinding[] = readUniformBlocks(gl, program); for (const uniformBlock of uniformBlocks) { const uniforms = uniformBlock.uniforms.map(uniform => ({ name: uniform.name, format: uniform.format, byteOffset: uniform.byteOffset, byteStride: uniform.byteStride, arrayLength: uniform.arrayLength })); shaderLayout.bindings.push({ type: 'uniform', name: uniformBlock.name, location: uniformBlock.location, visibility: (uniformBlock.vertex ? 0x1 : 0) & (uniformBlock.fragment ? 0x2 : 0), minBindingSize: uniformBlock.byteLength, uniforms }); } const uniforms: UniformBinding[] = readUniformBindings(gl, program); let textureUnit = 0; for (const uniform of uniforms) { if (isSamplerUniform(uniform.type)) { const {viewDimension, sampleType} = getSamplerInfo(uniform.type); shaderLayout.bindings.push({ type: 'texture', name: uniform.name, location: textureUnit, viewDimension, sampleType }); // @ts-expect-error uniform.textureUnit = textureUnit; textureUnit += 1; } } if (uniforms.length) { shaderLayout.uniforms = uniforms; } // Varyings const varyings: VaryingBinding[] = readVaryings(gl, program); // Note - samplers are always in unform bindings, even if uniform blocks are used if (varyings?.length) { shaderLayout.varyings = varyings; } return shaderLayout; } // HELPERS /** * Extract info about all transform feedback varyings * * linkProgram needs to have been called, although linking does not need to have been successful */ function readAttributeDeclarations( gl: WebGL2RenderingContext, program: WebGLProgram ): AttributeDeclaration[] { const attributes: AttributeDeclaration[] = []; const count = gl.getProgramParameter(program, gl.ACTIVE_ATTRIBUTES); for (let index = 0; index < count; index++) { const activeInfo = gl.getActiveAttrib(program, index); if (!activeInfo) { throw new Error('activeInfo'); } const {name, type: compositeType /* , size*/} = activeInfo; const location = gl.getAttribLocation(program, name); // Add only user provided attributes, for built-in attributes like `gl_InstanceID` location will be < 0 if (location >= 0) { const {attributeType} = decodeGLAttributeType(compositeType); // Whether an attribute is instanced is essentially fixed by the structure of the shader code, // so it is arguably a static property of the shader. // There is no hint in the shader declarations // Heuristic: Any attribute name containing the word "instance" will be assumed to be instanced const stepMode = /instance/i.test(name) ? 'instance' : 'vertex'; attributes.push({ name, location, stepMode, type: attributeType // size - for arrays, size is the number of elements in the array }); } } // Sort by declaration order attributes.sort((a: AttributeDeclaration, b: AttributeDeclaration) => a.location - b.location); return attributes; } /** * Extract info about all transform feedback varyings * * linkProgram needs to have been called, although linking does not need to have been successful */ function readVaryings(gl: WebGL2RenderingContext, program: WebGLProgram): VaryingBinding[] { const varyings: VaryingBinding[] = []; const count = gl.getProgramParameter(program, GL.TRANSFORM_FEEDBACK_VARYINGS); for (let location = 0; location < count; location++) { const activeInfo = gl.getTransformFeedbackVarying(program, location); if (!activeInfo) { throw new Error('activeInfo'); } const {name, type: compositeType, size} = activeInfo; const {glType, components} = decodeGLUniformType(compositeType); const varying = {location, name, type: glType, size: size * components}; // Base values varyings.push(varying); } varyings.sort((a, b) => a.location - b.location); return varyings; } /** * Extract info about all uniforms * * Query uniform locations and build name to setter map. */ function readUniformBindings(gl: WebGL2RenderingContext, program: WebGLProgram): UniformBinding[] { const uniforms: UniformBinding[] = []; const uniformCount = gl.getProgramParameter(program, GL.ACTIVE_UNIFORMS); for (let i = 0; i < uniformCount; i++) { const activeInfo = gl.getActiveUniform(program, i); if (!activeInfo) { throw new Error('activeInfo'); } const {name: rawName, size, type} = activeInfo; const {name, isArray} = parseUniformName(rawName); let webglLocation = gl.getUniformLocation(program, name); const uniformInfo = { // WebGL locations are uniquely typed but just numbers location: webglLocation as number, name, size, type, isArray }; uniforms.push(uniformInfo); // Array (e.g. matrix) uniforms can occupy several 4x4 byte banks if (uniformInfo.size > 1) { for (let j = 0; j < uniformInfo.size; j++) { const elementName = `${name}[${j}]`; webglLocation = gl.getUniformLocation(program, elementName); const arrayElementUniformInfo = { ...uniformInfo, name: elementName, location: webglLocation as number }; uniforms.push(arrayElementUniformInfo); } } } return uniforms; } /** * Extract info about all "active" uniform blocks * @note In WebGL, "active" just means that unused (inactive) blocks may have been optimized away during linking) */ function readUniformBlocks( gl: WebGL2RenderingContext, program: WebGLProgram ): UniformBlockBinding[] { const getBlockParameter = (blockIndex: number, pname: GL): any => gl.getActiveUniformBlockParameter(program, blockIndex, pname); const uniformBlocks: UniformBlockBinding[] = []; const blockCount = gl.getProgramParameter(program, GL.ACTIVE_UNIFORM_BLOCKS); for (let blockIndex = 0; blockIndex < blockCount; blockIndex++) { const blockInfo: UniformBlockBinding = { name: gl.getActiveUniformBlockName(program, blockIndex) || '', location: getBlockParameter(blockIndex, GL.UNIFORM_BLOCK_BINDING), byteLength: getBlockParameter(blockIndex, GL.UNIFORM_BLOCK_DATA_SIZE), vertex: getBlockParameter(blockIndex, GL.UNIFORM_BLOCK_REFERENCED_BY_VERTEX_SHADER), fragment: getBlockParameter(blockIndex, GL.UNIFORM_BLOCK_REFERENCED_BY_FRAGMENT_SHADER), uniformCount: getBlockParameter(blockIndex, GL.UNIFORM_BLOCK_ACTIVE_UNIFORMS), uniforms: [] as any[] }; const uniformIndices = (getBlockParameter(blockIndex, GL.UNIFORM_BLOCK_ACTIVE_UNIFORM_INDICES) as number[]) || []; const uniformType = gl.getActiveUniforms(program, uniformIndices, GL.UNIFORM_TYPE); // Array of GLenum indicating the types of the uniforms. const uniformArrayLength = gl.getActiveUniforms(program, uniformIndices, GL.UNIFORM_SIZE); // Array of GLuint indicating the sizes of the uniforms. // const uniformBlockIndex = gl.getActiveUniforms( // program, // uniformIndices, // GL.UNIFORM_BLOCK_INDEX // ); // Array of GLint indicating the block indices of the uniforms. const uniformOffset = gl.getActiveUniforms(program, uniformIndices, GL.UNIFORM_OFFSET); // Array of GLint indicating the uniform buffer offsets. const uniformStride = gl.getActiveUniforms(program, uniformIndices, GL.UNIFORM_ARRAY_STRIDE); // Array of GLint indicating the strides between the elements. // const uniformMatrixStride = gl.getActiveUniforms( // program, // uniformIndices, // GL.UNIFORM_MATRIX_STRIDE // ); // Array of GLint indicating the strides between columns of a column-major matrix or a row-major matrix. // const uniformRowMajor = gl.getActiveUniforms(program, uniformIndices, GL.UNIFORM_IS_ROW_MAJOR); for (let i = 0; i < blockInfo.uniformCount; ++i) { const activeInfo = gl.getActiveUniform(program, uniformIndices[i]); if (!activeInfo) { throw new Error('activeInfo'); } blockInfo.uniforms.push({ name: activeInfo.name, format: decodeGLUniformType(uniformType[i]).format, type: uniformType[i], arrayLength: uniformArrayLength[i], byteOffset: uniformOffset[i], byteStride: uniformStride[i] // matrixStride: uniformStride[i], // rowMajor: uniformRowMajor[i] }); } uniformBlocks.push(blockInfo); } uniformBlocks.sort((a, b) => a.location - b.location); return uniformBlocks; } /** * TOOD - compare with a above, confirm copy, then delete const bindings: Binding[] = []; const count = gl.getProgramParameter(program, gl.ACTIVE_UNIFORM_BLOCKS); for (let blockIndex = 0; blockIndex < count; blockIndex++) { const vertex = gl.getActiveUniformBlockParameter(program, blockIndex, gl.UNIFORM_BLOCK_REFERENCED_BY_VERTEX_SHADER), const fragment = gl.getActiveUniformBlockParameter(program, blockIndex, gl.UNIFORM_BLOCK_REFERENCED_BY_FRAGMENT_SHADER), const visibility = (vertex) + (fragment); const binding: BufferBinding = { location: gl.getActiveUniformBlockParameter(program, blockIndex, gl.UNIFORM_BLOCK_BINDING), // name: gl.getActiveUniformBlockName(program, blockIndex), type: 'uniform', visibility, minBindingSize: gl.getActiveUniformBlockParameter(program, blockIndex, gl.UNIFORM_BLOCK_DATA_SIZE), // uniformCount: gl.getActiveUniformBlockParameter(program, blockIndex, gl.UNIFORM_BLOCK_ACTIVE_UNIFORMS), // uniformIndices: gl.getActiveUniformBlockParameter(program, blockIndex, gl.UNIFORM_BLOCK_ACTIVE_UNIFORM_INDICES), } bindings.push(binding); } */ const SAMPLER_UNIFORMS_GL_TO_GPU: Record< number, [ '1d' | '2d' | '2d-array' | 'cube' | 'cube-array' | '3d', 'float' | 'unfilterable-float' | 'depth' | 'sint' | 'uint' ] > = { [GL.SAMPLER_2D]: ['2d', 'float'], [GL.SAMPLER_CUBE]: ['cube', 'float'], [GL.SAMPLER_3D]: ['3d', 'float'], [GL.SAMPLER_2D_SHADOW]: ['3d', 'depth'], [GL.SAMPLER_2D_ARRAY]: ['2d-array', 'float'], [GL.SAMPLER_2D_ARRAY_SHADOW]: ['2d-array', 'depth'], [GL.SAMPLER_CUBE_SHADOW]: ['cube', 'float'], [GL.INT_SAMPLER_2D]: ['2d', 'sint'], [GL.INT_SAMPLER_3D]: ['3d', 'sint'], [GL.INT_SAMPLER_CUBE]: ['cube', 'sint'], [GL.INT_SAMPLER_2D_ARRAY]: ['2d-array', 'uint'], [GL.UNSIGNED_INT_SAMPLER_2D]: ['2d', 'uint'], [GL.UNSIGNED_INT_SAMPLER_3D]: ['3d', 'uint'], [GL.UNSIGNED_INT_SAMPLER_CUBE]: ['cube', 'uint'], [GL.UNSIGNED_INT_SAMPLER_2D_ARRAY]: ['2d-array', 'uint'] }; type SamplerInfo = { viewDimension: '1d' | '2d' | '2d-array' | 'cube' | 'cube-array' | '3d'; sampleType: 'float' | 'unfilterable-float' | 'depth' | 'sint' | 'uint'; }; function getSamplerInfo(type: GL): SamplerInfo { const sampler = SAMPLER_UNIFORMS_GL_TO_GPU[type]; if (!sampler) { throw new Error('sampler'); } const [viewDimension, sampleType] = sampler; return {viewDimension, sampleType}; } // HELPERS function parseUniformName(name: string): {name: string; length: number; isArray: boolean} { // Shortcut to avoid redundant or bad matches if (name[name.length - 1] !== ']') { return { name, length: 1, isArray: false }; } // if array name then clean the array brackets const UNIFORM_NAME_REGEXP = /([^[]*)(\[[0-9]+\])?/; const matches = UNIFORM_NAME_REGEXP.exec(name); if (!matches || matches.length < 2) { throw new Error(`Failed to parse GLSL uniform name ${name}`); } return { name: matches[1], length: matches[2] ? 1 : 0, isArray: Boolean(matches[2]) }; } ```
/content/code_sandbox/modules/webgl/src/adapter/helpers/get-shader-layout.ts
xml
2016-01-25T09:41:59
2024-08-16T10:03:05
luma.gl
visgl/luma.gl
2,280
3,057
```xml <?xml version="1.0" encoding="UTF-8"?> <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "path_to_url"> <plist version="1.0"> <dict> <key>CFBundleDevelopmentRegion</key> <string>en</string> <key>CFBundleExecutable</key> <string>libavdevice</string> <key>CFBundleIdentifier</key> <string>com.arthenica.ffmpegkit.Libavdevice</string> <key>CFBundleInfoDictionaryVersion</key> <string>6.0</string> <key>CFBundleName</key> <string>libavdevice</string> <key>CFBundlePackageType</key> <string>FMWK</string> <key>CFBundleShortVersionString</key> <string>58.12.100</string> <key>CFBundleVersion</key> <string>58.12.100</string> <key>CFBundleSignature</key> <string>????</string> <key>MinimumOSVersion</key> <string>12.1</string> <key>CFBundleSupportedPlatforms</key> <array> <string>iPhoneOS</string> </array> <key>NSPrincipalClass</key> <string></string> </dict> </plist> ```
/content/code_sandbox/osu.Framework.iOS/runtimes/ios/native/libavdevice.xcframework/ios-arm64/libavdevice.framework/Info.plist
xml
2016-08-26T03:45:35
2024-08-16T05:03:32
osu-framework
ppy/osu-framework
1,618
299
```xml <?xml version="1.0" encoding="UTF-8"?> <ui version="4.0"> <class>showlog</class> <widget class="QDialog" name="showlog"> <property name="geometry"> <rect> <x>0</x> <y>0</y> <width>490</width> <height>380</height> </rect> </property> <property name="windowTitle"> <string>Show Log</string> </property> <layout class="QGridLayout" name="gridLayout"> <item row="0" column="0"> <widget class="QPlainTextEdit" name="plainTextEdit"> <property name="readOnly"> <bool>true</bool> </property> </widget> </item> <item row="1" column="0"> <layout class="QHBoxLayout" name="horizontalLayout"> <item> <spacer name="horizontalSpacer_2"> <property name="orientation"> <enum>Qt::Horizontal</enum> </property> <property name="sizeHint" stdset="0"> <size> <width>40</width> <height>20</height> </size> </property> </spacer> </item> <item> <spacer name="horizontalSpacer"> <property name="orientation"> <enum>Qt::Horizontal</enum> </property> <property name="sizeHint" stdset="0"> <size> <width>40</width> <height>20</height> </size> </property> </spacer> </item> <item> <widget class="QPushButton" name="refresh"> <property name="text"> <string>&amp;Refresh</string> </property> </widget> </item> <item> <widget class="QDialogButtonBox" name="buttonBox"> <property name="orientation"> <enum>Qt::Horizontal</enum> </property> <property name="standardButtons"> <set>QDialogButtonBox::Close</set> </property> </widget> </item> </layout> </item> </layout> </widget> <resources/> <connections> <connection> <sender>buttonBox</sender> <signal>accepted()</signal> <receiver>showlog</receiver> <slot>accept()</slot> <hints> <hint type="sourcelabel"> <x>248</x> <y>254</y> </hint> <hint type="destinationlabel"> <x>157</x> <y>274</y> </hint> </hints> </connection> <connection> <sender>buttonBox</sender> <signal>rejected()</signal> <receiver>showlog</receiver> <slot>reject()</slot> <hints> <hint type="sourcelabel"> <x>316</x> <y>260</y> </hint> <hint type="destinationlabel"> <x>286</x> <y>274</y> </hint> </hints> </connection> </connections> </ui> ```
/content/code_sandbox/recovery/showlog.ui
xml
2016-03-19T14:59:48
2024-08-15T01:49:02
pinn
procount/pinn
1,085
728
```xml <Project> <Target Name="Workaround_AdditionalRefToMscorlib" BeforeTargets="ResolveAssemblyReferences"> <PropertyGroup> <AdditionalExplicitAssemblyReferences /> </PropertyGroup> </Target> <Target Name="Workaround_MustPassAI" BeforeTargets="ClCompile" DependsOnTargets="GenerateTargetFrameworkMonikerAttribute"> <ItemGroup> <_NETCoreReferenceDirectory Include="%(ReferencePath.RootDir)%(ReferencePath.Directory)" Condition="'%(ReferencePath.Filename)' == 'System.Runtime'" /> </ItemGroup> <ItemGroup> <ClCompile> <AdditionalUsingDirectories>%(ClCompile.AdditionalUsingDirectories);@(_NETCoreReferenceDirectory)</AdditionalUsingDirectories> </ClCompile> </ItemGroup> </Target> </Project> ```
/content/code_sandbox/test/TestAssets/TestProjects/NETCoreCppClApp/NETCoreCppCliTest/Directory.Build.targets
xml
2016-07-22T21:26:02
2024-08-16T17:23:58
sdk
dotnet/sdk
2,627
172
```xml import styled from '@emotion/styled'; import Error from '@mui/icons-material/Error'; import Box from '@mui/material/Box'; import SnackbarContent from '@mui/material/SnackbarContent'; import React, { memo } from 'react'; import { LoginError, Theme } from '../../'; const StyledSnackbarContent = styled(SnackbarContent)<{ theme?: Theme }>(({ theme }) => ({ backgroundColor: theme?.palette.error.dark, color: theme?.palette.white, })); const StyledErrorIcon = styled(Error)<{ theme?: Theme }>(({ theme }) => ({ fontSize: 20, opacity: 0.9, marginRight: theme?.spacing(1), })); export interface FormValues { username: string; password: string; } interface Props { error: LoginError; } const LoginDialogFormError = memo(({ error }: Props) => { return ( <StyledSnackbarContent message={ <Box alignItems="center" data-testid="error" display="flex"> <StyledErrorIcon /> {error.description} </Box> } /> ); }); export default LoginDialogFormError; ```
/content/code_sandbox/packages/ui-components/src/components/LoginDialog/LoginDialogFormError.tsx
xml
2016-04-15T16:21:12
2024-08-16T09:38:01
verdaccio
verdaccio/verdaccio
16,189
237
```xml import * as React from "react"; import { Title } from "@erxes/ui-settings/src/styles"; import { __, router } from "@erxes/ui/src/utils"; import DataWithLoader from "@erxes/ui/src/components/DataWithLoader"; import EmptyState from "@erxes/ui/src/components/EmptyState"; import FormControl from "@erxes/ui/src/components/form/Control"; import { ILog } from "../types"; import LogRow from "./LogRow"; import Pagination from "@erxes/ui/src/components/pagination/Pagination"; import Sidebar from "./Sidebar"; import Table from "@erxes/ui/src/components/table"; import Wrapper from "@erxes/ui/src/layout/components/Wrapper"; import { useLocation, useNavigate } from "react-router-dom"; type Props = { queryParams: Record<string, string>; isLoading: boolean; errorMessage: string; } & commonProps; type commonProps = { logs: ILog[]; count: number; refetchQueries: any; }; const breadcrumb = [ { title: "Settings", link: "/settings" }, { title: __("Logs") }, ]; const LogList = (props: Props) => { let timer; const location = useLocation(); const navigate = useNavigate(); const [searchValue, setSearchValue] = React.useState( props.queryParams.searchValue || "" ); const searchHandler = (e) => { if (timer) { clearTimeout(timer); } const inputValue = e.target.value; setSearchValue(inputValue); timer = setTimeout(() => { router.removeParams(navigate, location, "page"); router.setParams(navigate, location, { searchValue: inputValue }); }, 500); }; const renderObjects = () => { const { logs } = props; const rows: JSX.Element[] = []; if (!logs) { return rows; } for (const log of logs) { rows.push(<LogRow key={log._id} log={log} />); } return rows; }; const renderContent = () => { return ( <Table $whiteSpace="wrap" $hover={true} $bordered={true} $condensed={true} > <thead> <tr> <th>{__("Date")}</th> <th>{__("Created by")}</th> <th>{__("Module")}</th> <th>{__("Action")}</th> <th>{__("Description")}</th> <th>{__("Changes")}</th> </tr> </thead> <tbody>{renderObjects()}</tbody> </Table> ); }; const actionBarRight = () => { return ( <FormControl type="text" placeholder={__("Type to search")} onChange={searchHandler} autoFocus={true} value={searchValue} /> ); }; const { isLoading, count, errorMessage, queryParams } = props; if (errorMessage.indexOf("Permission required") !== -1) { return ( <EmptyState text={__("Permission denied")} image="/images/actions/21.svg" /> ); } return ( <Wrapper header={ <Wrapper.Header title={__("Logs")} breadcrumb={breadcrumb} queryParams={queryParams} /> } actionBar={ <Wrapper.ActionBar left={<Title>{__(`Logs (${count})`)}</Title>} right={actionBarRight()} background="colorWhite" wideSpacing={true} /> } footer={<Pagination count={count} />} content={ <DataWithLoader data={renderContent()} loading={isLoading} count={count} emptyText={__("There are no logs recorded")} emptyImage="/images/actions/21.svg" /> } hasBorder={true} leftSidebar={<Sidebar queryParams={queryParams} />} /> ); }; export default LogList; ```
/content/code_sandbox/packages/core-ui/src/modules/settings/logs/components/LogList.tsx
xml
2016-11-11T06:54:50
2024-08-16T10:26:06
erxes
erxes/erxes
3,479
843
```xml <Project Sdk="Microsoft.NET.Sdk.Web"> <PropertyGroup> <TargetFramework>net8.0</TargetFramework> </PropertyGroup> <ItemGroup> <ProjectReference Include="..\..\src\Volo.Abp.AspNetCore.Mvc.UI.Theme.Shared\Volo.Abp.AspNetCore.Mvc.UI.Theme.Shared.csproj" /> <ProjectReference Include="..\..\src\Volo.Abp.AspNetCore.TestBase\Volo.Abp.AspNetCore.TestBase.csproj" /> <ProjectReference Include="..\..\src\Volo.Abp.Autofac\Volo.Abp.Autofac.csproj" /> <ProjectReference Include="..\..\src\Volo.Abp.Core\Volo.Abp.Core.csproj" /> <ProjectReference Include="..\Volo.Abp.AspNetCore.Tests\Volo.Abp.AspNetCore.Tests.csproj" /> </ItemGroup> </Project> ```
/content/code_sandbox/framework/test/Volo.Abp.AspNetCore.Mvc.UI.Theme.Shared.Tests/Volo.Abp.AspNetCore.Mvc.UI.Theme.Shared.Tests.csproj
xml
2016-12-03T22:56:24
2024-08-16T16:24:05
abp
abpframework/abp
12,657
179
```xml import { useSortable } from '@dnd-kit/sortable'; import { IEvaluatable } from '~/types/Evaluatable'; import { IFlag } from '~/types/Flag'; import { ISegment } from '~/types/Segment'; import Rule from './Rule'; type SortableRuleProps = { flag: IFlag; rule: IEvaluatable; segments: ISegment[]; onSuccess: () => void; onDelete: () => void; readOnly?: boolean; }; export default function SortableRule(props: SortableRuleProps) { const { flag, rule, segments, onSuccess, onDelete, readOnly } = props; const { isDragging, attributes, listeners, setNodeRef, transform, transition } = useSortable({ id: rule.id, disabled: readOnly }); const style = transform ? { transform: `translate3d(${transform.x}px, ${transform.y}px, 0)`, transition } : undefined; const className = isDragging ? 'border-violet-500 cursor-move' : ''; return ( <Rule key={rule.id} ref={setNodeRef} {...listeners} {...attributes} style={style} className={className} flag={flag} rule={rule} segments={segments} onSuccess={onSuccess} onDelete={onDelete} readOnly={readOnly} /> ); } ```
/content/code_sandbox/ui/src/components/rules/SortableRule.tsx
xml
2016-11-05T00:09:07
2024-08-16T13:44:10
flipt
flipt-io/flipt
3,489
308
```xml import { EntityErrorType } from 'shared/models/Common'; import { AppError } from 'shared/models/Error'; import { IPagination, DataWithPagination } from 'shared/models/Pagination'; import { ICommunication, makeCommunicationActionTypes, MakeCommunicationActions, ICommunicationById, } from 'shared/utils/redux/communication'; import { IDatasetVersion } from 'shared/models/DatasetVersion'; import ModelRecord from 'shared/models/ModelRecord'; export interface IDatasetVersionsState { data: { datasetVersions: IDatasetVersion[] | null; pagination: IPagination; datasetVersionIdsForDeleting: string[]; datasetVersionExperimentRuns: Record<string, ModelRecord[] | undefined>; }; communications: { deletingDatasetVersion: ICommunicationById; deletingDatasetVersions: ICommunication; loadingDatasetVersions: ICommunication; loadDatasetVersionExperimentRuns: ICommunicationById; loadingDatasetVersion: ICommunication<AppError<EntityErrorType>>; loadingComparedDatasetVersions: ICommunication; }; } export const loadDatasetVersionsActionTypes = makeCommunicationActionTypes({ REQUEST: '@@datasets/LOAD_DATASET_VERSIONS_REQUEST', SUCCESS: '@@datasets/LOAD_DATASET_VERSIONS_SUCESS', FAILURE: '@@datasets/LOAD_DATASET_VERSIONS_FAILURE', }); export type ILoadDatasetVersionsActions = MakeCommunicationActions< typeof loadDatasetVersionsActionTypes, { request: { datasetId: string }; success: { datasetVersions: DataWithPagination<IDatasetVersion> }; } >; export const deleteDatasetVersionActionTypes = makeCommunicationActionTypes({ REQUEST: '@@datasets/DELETE_DATASET_VERSION_REQUEST', SUCCESS: '@@datasets/DELETE_DATASET_VERSION_SUCESS', FAILURE: '@@datasets/DELETE_DATASET_VERSION_FAILURE', }); export type IDeleteDatasetVersionActions = MakeCommunicationActions< typeof deleteDatasetVersionActionTypes, { request: { id: string }; success: { id: string }; failure: { id: string; error: AppError }; } >; export const loadDatasetVersionActionTypes = makeCommunicationActionTypes({ REQUEST: '@@datasets/LOAD_DATASET_VERSION_REQUEST', SUCCESS: '@@datasets/LOAD_DATASET_VERSION_SUCESS', FAILURE: '@@datasets/LOAD_DATASET_VERSION_FAILURE', }); export type ILoadDatasetVersionActions = MakeCommunicationActions< typeof loadDatasetVersionActionTypes, { success: { datasetVersion: IDatasetVersion } } >; export enum updateDatasetVersionDescActionType { UPDATE_DATASET_VERSION_DESC = '@@datasetVersions/UPDATE_DATASET_VERSION_DESC', } export interface IUpdateDatasetVersionDesc { type: updateDatasetVersionDescActionType.UPDATE_DATASET_VERSION_DESC; payload: { id: string; description: string }; } export enum updateDatasetVersionTagsActionType { UPDATE_DATASET_VERSION_TAGS = '@@datasetVersions/UPDATE_DATASET_VERSION_TAGS', } export interface IUpdateDatasetVersionTags { type: updateDatasetVersionTagsActionType.UPDATE_DATASET_VERSION_TAGS; payload: { id: string; tags: string[] }; } export enum changeDatasetVersionsPaginationActionType { CHANGE_CURRENT_PAGE = '@@datasetVersions/CHANGE_PAGINATION', } export interface IChangeDatasetVersionsPagination { type: changeDatasetVersionsPaginationActionType.CHANGE_CURRENT_PAGE; payload: { currentPage: number }; } export enum getDefaultDatasetVersionsOptionsActionType { GET_DEFAULT_DATASET_VERSIONS_OPTIONS = '@@datasetVersions/GET_DEFAULT_DATASETS_OPTIONS', } export interface IGetDefaultDatasetVersionsOptions { type: getDefaultDatasetVersionsOptionsActionType.GET_DEFAULT_DATASET_VERSIONS_OPTIONS; payload: { options: IDatasetVersionsOptions }; } export interface IDatasetVersionsOptions { paginationCurrentPage?: number; } export const loadComparedDatasetVersionsActionTypes = makeCommunicationActionTypes( { REQUEST: '@@datasetVersions/LOAD_COMPARED_DATASET_VERSIONS_REQUEST', SUCCESS: '@@datasetVersions/LOAD_COMPARED_DATASET_VERSIONS_SUCESS', FAILURE: '@@datasetVersions/LOAD_COMPARED_DATASET_VERSIONS_FAILURE', } ); export type ILoadComparedDatasetVersionsActions = MakeCommunicationActions< typeof loadComparedDatasetVersionsActionTypes, { request: { datasetVersionId1: string; datasetVersionId2: string }; success: { datasetVersion1: IDatasetVersion; datasetVersion2: IDatasetVersion; }; } >; export enum unselectDatasetVersionForDeletingActionType { UNSELECT_DATASET_VERSION_FOR_DELETING = '@@experiments/UNSELECT_DATASET_VERSION_FOR_DELETING', } export interface IUnselectDatasetVersionForDeleting { type: unselectDatasetVersionForDeletingActionType.UNSELECT_DATASET_VERSION_FOR_DELETING; payload: { id: string }; } export enum resetDatasetVersionsForDeletingActionType { RESET_DATASET_VERSIONS_FOR_DELETING = '@@experiments/RESET_DATASET_VERSIONS_FOR_DELETING', } export interface IResetDatasetVersionsForDeleting { type: resetDatasetVersionsForDeletingActionType.RESET_DATASET_VERSIONS_FOR_DELETING; } export enum selectDatasetVersionForDeletingActionType { SELECT_DATASET_VERSION_FOR_DELETING = '@@experiments/SELECT_DATASET_VERSION_FOR_DELETING', } export interface ISelectDatasetVersionForDeleting { type: selectDatasetVersionForDeletingActionType.SELECT_DATASET_VERSION_FOR_DELETING; payload: { id: string }; } export enum selectAllDatasetVersionsForDeletingActionType { SELECT_ALL_DATASET_VERSIONS_FOR_DELETING = '@@experimentRuns/SELECT_ALL_DATASET_VERSIONS_FOR_DELETING', } export interface ISelectAllDatasetVersionsForDeleting { type: selectAllDatasetVersionsForDeletingActionType.SELECT_ALL_DATASET_VERSIONS_FOR_DELETING; } export const deleteDatasetVersionsActionTypes = makeCommunicationActionTypes({ REQUEST: '@@experiments/DELETE_DATASET_VERSIONS_REQUEST', SUCCESS: '@@experiments/DELETE_DATASET_VERSIONS_SUCESS', FAILURE: '@@experiments/DELETE_DATASET_VERSIONS_FAILURE', }); export type IDeleteDatasetVersionsActions = MakeCommunicationActions< typeof deleteDatasetVersionsActionTypes, { request: { ids: string[] }; success: { ids: string[] } } >; export const loadDatasetVersionExperimentRunsActionTypes = makeCommunicationActionTypes( { REQUEST: '@@datasetVersions/LOAD_DATASET_VERSION_EXPERIMENT_RUNS_REQUEST', SUCCESS: '@@datasetVersions/LOAD_DATASET_VERSION_EXPERIMENT_RUNS_SUCESS', FAILURE: '@@datasetVersions/LOAD_DATASET_VERSION_EXPERIMENT_RUNS_FAILURE', } ); export type ILoadDatasetVersionExperimentRunsActions = MakeCommunicationActions< typeof loadDatasetVersionExperimentRunsActionTypes, { request: { datasetVersionId: string }; success: { datasetVersionId: string; experimentRuns: ModelRecord[] }; failure: { datasetVersionId: string; error: AppError }; } >; export type FeatureAction = | ILoadDatasetVersionsActions | IDeleteDatasetVersionActions | ILoadDatasetVersionActions | IChangeDatasetVersionsPagination | IGetDefaultDatasetVersionsOptions | IUpdateDatasetVersionDesc | IUpdateDatasetVersionTags | ILoadComparedDatasetVersionsActions | IUnselectDatasetVersionForDeleting | ISelectDatasetVersionForDeleting | ISelectAllDatasetVersionsForDeleting | IDeleteDatasetVersionsActions | IResetDatasetVersionsForDeleting | ILoadDatasetVersionExperimentRunsActions; ```
/content/code_sandbox/webapp/client/src/features/datasetVersions/store/types.ts
xml
2016-10-19T01:07:26
2024-08-14T03:53:55
modeldb
VertaAI/modeldb
1,689
1,579
```xml import * as React from 'react'; import { CSSModule } from './utils'; import { FadeProps } from './Fade'; export interface ModalProps extends React.HTMLAttributes<HTMLElement> { [key: string]: any; isOpen?: boolean; autoFocus?: boolean; size?: string; toggle?: React.KeyboardEventHandler<any> | React.MouseEventHandler<any>; keyboard?: boolean; backdrop?: boolean | 'static'; scrollable?: boolean; onEnter?: () => void; onExit?: () => void; onOpened?: () => void; onClosed?: () => void; cssModule?: CSSModule; wrapClassName?: string; modalClassName?: string; backdropClassName?: string; contentClassName?: string; zIndex?: number | string; fade?: boolean; backdropTransition?: FadeProps; modalTransition?: FadeProps; centered?: boolean; fullscreen?: boolean | 'sm' | 'md' | 'lg' | 'xl'; external?: React.ReactNode; labelledBy?: string; unmountOnClose?: boolean; returnFocusAfterClose?: boolean; container?: string | HTMLElement | React.RefObject<HTMLElement>; innerRef?: React.Ref<HTMLElement>; trapFocus?: boolean; } declare class Modal extends React.Component<ModalProps> {} export default Modal; ```
/content/code_sandbox/types/lib/Modal.d.ts
xml
2016-02-19T08:01:36
2024-08-16T11:48:48
reactstrap
reactstrap/reactstrap
10,591
280
```xml import { useState } from "react" import usePaymentLabel from "@/modules/checkout/hooks/usePaymentLabel" import { endPoint, headers, method, objToString, } from "@/modules/checkout/hooks/useTDB" import { paymentTypesAtom } from "@/store/config.store" import { capitronResponseAtom } from "@/store/cover.store" import { useAtom, useAtomValue } from "jotai" import { BANK_CARD_TYPES } from "@/lib/constants" import { onError } from "@/components/ui/use-toast" import BankAmountUi from "./bank-amount-ui" const Capitron = () => { const [capitronResponse, setCapitronResponse] = useAtom(capitronResponseAtom) const [loading, setLoading] = useState(false) const paymentTypes = useAtomValue(paymentTypesAtom) || [] const { getLabel } = usePaymentLabel() const bank = paymentTypes.find((pt) => BANK_CARD_TYPES.CAPITRON === pt.type) const getCapitronCover = () => { setLoading(true) const details = { operation: "Settlement", hostIndex: 0, ecrRefNo: 0, } fetch(endPoint(bank?.config?.port), { method, headers, body: objToString(details), }) .then((res) => res.json()) .then((res) => { if (res?.ecrResult?.RespCode === "00") { setCapitronResponse(JSON.stringify(res.ecrResult)) } else { onError(`${res.ecrResult.RespCode} - Unexpected error occured`) } setLoading(false) }) .catch((e) => { onError(e?.message) setLoading(false) }) } return ( <BankAmountUi name={getLabel(bank?.type || "")} type={bank?.type || ""} loading={loading} descriptionDisabled getCover={getCapitronCover} description={capitronResponse} /> ) } export default Capitron ```
/content/code_sandbox/pos/app/(main)/cover/components/capitron.tsx
xml
2016-11-11T06:54:50
2024-08-16T10:26:06
erxes
erxes/erxes
3,479
448
```xml import chalk from 'chalk' import * as Path from 'path' import { ICommandModule, mriArgv } from '../load-commands' import { openDesktop } from '../open-desktop' import { parseRemote } from '../../lib/remote-parsing' export const command: ICommandModule = { command: 'open <path>', aliases: ['<path>'], description: 'Open a git repository in GitHub Desktop', args: [ { name: 'path', description: 'The path to the repository to open', type: 'string', required: false, }, ], handler({ _: [pathArg] }: mriArgv) { if (!pathArg) { // just open Desktop openDesktop() return } //Check if the pathArg is a remote url if (parseRemote(pathArg) != null) { console.log( `\nYou cannot open a remote URL in GitHub Desktop\n` + `Use \`${chalk.bold(`git clone ` + pathArg)}\`` + ` instead to initiate the clone` ) } else { const repositoryPath = Path.resolve(process.cwd(), pathArg) const url = `openLocalRepo/${encodeURIComponent(repositoryPath)}` openDesktop(url) } }, } ```
/content/code_sandbox/app/src/cli/commands/open.ts
xml
2016-05-11T15:59:00
2024-08-16T17:00:41
desktop
desktop/desktop
19,544
278
```xml <clickhouse> <zookeeper> <node index="1"> <host>localhost</host> <port>9181</port> </node> </zookeeper> <keeper_server> <tcp_port>9181</tcp_port> <server_id>1</server_id> <coordination_settings> <operation_timeout_ms>10000</operation_timeout_ms> <session_timeout_ms>30000</session_timeout_ms> <force_sync>false</force_sync> <startup_timeout>60000</startup_timeout> <!-- we want all logs for complex problems investigation --> <reserved_log_items>1000000000000000</reserved_log_items> </coordination_settings> <raft_configuration> <server> <id>1</id> <hostname>localhost</hostname> <port>9234</port> </server> </raft_configuration> </keeper_server> </clickhouse> ```
/content/code_sandbox/tests/integration/test_drop_is_lock_free/configs/keeper.xml
xml
2016-06-02T08:28:18
2024-08-16T18:39:33
ClickHouse
ClickHouse/ClickHouse
36,234
207
```xml <?xml version="1.0" encoding="UTF-8"?> <!DOCTYPE mapper PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN" "path_to_url"> <mapper namespace="org.ibase4j.mapper.SysSessionMapper"> <!-- --> <select id="selectIdPage" resultType="java.lang.Long" useCache="false"> select id_ from sys_session <where> <if test="cm.keyword != null"> and (account_ like CONCAT('%',#{cm.keyword},'%') or session_id like CONCAT('%',#{cm.keyword},'%') or ip_ like CONCAT('%',#{cm.keyword},'%')) </if> </where> </select> <delete id="deleteBySessionId" parameterType="java.lang.String"> delete from sys_session where session_id=#{sessionId} </delete> <select id="queryBySessionId" resultType="java.lang.Long"> select id_ from sys_session where session_id = #{sessionId} </select> <select id="querySessionIdByAccount" resultType="java.lang.String"> select session_id from sys_session where account_ = #{account} </select> </mapper> ```
/content/code_sandbox/iBase4J-SYS-Service/src/main/java/org/ibase4j/mapper/xml/SysSessionMapper.xml
xml
2016-08-15T06:48:34
2024-07-23T12:49:30
iBase4J
iBase4J/iBase4J
1,584
262
```xml export const playIndicatorUrl = (color: string) => `url("data:image/svg+xml, %3Csvg xmlns='path_to_url role='presentation' focusable='false' viewBox='0 0 24 24'%3E%3Cg%3E%3Cpath fill='${encodeURIComponent( color, )}' d='M5 5.27368C5 3.56682 6.82609 2.48151 8.32538 3.2973L20.687 10.0235C22.2531 10.8756 22.2531 13.124 20.687 13.9762L8.32538 20.7024C6.82609 21.5181 5 20.4328 5 18.726V5.27368Z' /%3E%3C/g%3E%3C/svg%3E")`; ```
/content/code_sandbox/packages/fluentui/react-northstar/src/themes/teams/components/Embed/playIndicatorUrl.ts
xml
2016-06-06T15:03:44
2024-08-16T18:49:29
fluentui
microsoft/fluentui
18,221
206
```xml <?xml version="1.0" encoding="utf-8"?> <LinearLayout xmlns:android="path_to_url" xmlns:tools="path_to_url" android:id="@+id/track_frame" android:layout_width="match_parent" android:layout_height="wrap_content" android:layout_marginBottom="@dimen/tiny_margin" android:orientation="horizontal" android:paddingStart="@dimen/normal_margin" android:paddingTop="@dimen/activity_margin" android:paddingEnd="@dimen/medium_margin" android:paddingBottom="@dimen/activity_margin"> <ImageView android:id="@+id/track_image" android:layout_width="@dimen/song_image_size" android:layout_height="@dimen/song_image_size" android:visibility="gone" /> <com.simplemobiletools.commons.views.MyTextView android:id="@+id/track_id" android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_gravity="center" android:ems="2" android:gravity="end" android:paddingEnd="@dimen/small_margin" android:textSize="@dimen/bigger_text_size" tools:text="1" /> <LinearLayout android:layout_width="0dp" android:layout_height="wrap_content" android:layout_gravity="center" android:layout_weight="1" android:orientation="vertical" android:paddingHorizontal="@dimen/normal_margin"> <com.simplemobiletools.commons.views.MyTextView android:id="@+id/track_title" android:layout_width="wrap_content" android:layout_height="wrap_content" android:ellipsize="end" android:maxLines="2" android:textSize="@dimen/bigger_text_size" tools:text="Track title" /> <com.simplemobiletools.commons.views.MyTextView android:id="@+id/track_info" android:layout_width="wrap_content" android:layout_height="wrap_content" android:alpha="0.6" android:ellipsize="end" android:maxLines="1" android:textSize="@dimen/normal_text_size" tools:text="Track artist" /> </LinearLayout> <com.simplemobiletools.commons.views.MyTextView android:id="@+id/track_duration" android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_gravity="center" android:paddingStart="@dimen/normal_margin" android:paddingEnd="@dimen/medium_margin" android:textSize="@dimen/bigger_text_size" tools:text="3:45" /> <ImageView android:id="@+id/track_drag_handle" android:layout_width="@dimen/song_image_size" android:layout_height="@dimen/song_image_size" android:layout_gravity="center|end" android:padding="@dimen/medium_margin" android:src="@drawable/ic_drag_handle_vector" android:visibility="gone" /> </LinearLayout> ```
/content/code_sandbox/app/src/main/res/layout/item_track.xml
xml
2016-01-10T12:21:23
2024-08-16T13:03:46
Simple-Music-Player
SimpleMobileTools/Simple-Music-Player
1,277
666
```xml import type { ApplicationConfigurationDto, ApplicationConfigurationRequestOptions } from './models'; import { RestService } from '../../../../../../services'; import { Rest } from '../../../../../../models'; import { Injectable } from '@angular/core'; @Injectable({ providedIn: 'root', }) export class AbpApplicationConfigurationService { apiName = 'abp'; get = (options: ApplicationConfigurationRequestOptions, config?: Partial<Rest.Config>) => this.restService.request<any, ApplicationConfigurationDto>({ method: 'GET', url: '/api/abp/application-configuration', params: { includeLocalizationResources: options.includeLocalizationResources }, }, { apiName: this.apiName, ...config }); constructor(private restService: RestService) { } } ```
/content/code_sandbox/npm/ng-packs/packages/core/src/lib/proxy/volo/abp/asp-net-core/mvc/application-configurations/abp-application-configuration.service.ts
xml
2016-12-03T22:56:24
2024-08-16T16:24:05
abp
abpframework/abp
12,657
157
```xml import * as dotenv from 'dotenv'; dotenv.config(); import { MongoClient } from 'mongodb'; import { getOrganizations } from '@erxes/api-utils/src/saas/saas'; const { MONGO_URL = '' } = process.env; if (!MONGO_URL) { throw new Error(`Environment variable MONGO_URL not set.`); } let db; const command = async () => { const organizations = await getOrganizations(); for (const org of organizations) { try { console.log(MONGO_URL, org._id); const client = new MongoClient( MONGO_URL.replace('<organizationId>', org._id) ); await client.connect(); db = client.db(); const Payments = db.collection('payments'); let Invoices = db.collection('invoices'); const Transactions = db.collection('payment_transactions'); try { await Payments.rename('payment_methods'); } catch (e) { console.log('Error: ', e); } try { await Invoices.rename('payment_invoices'); Invoices = db.collection('payment_invoices'); } catch (e) { console.log('Error: ', e); } const invoices = await Invoices.find().toArray(); for (const invoice of invoices) { if ( invoice.selectedPaymentId ) { // add transaction await Transactions.insertOne({ _id: invoice.identifier, invoiceId: invoice._id, paymentId: invoice.selectedPaymentId, paymentKind: invoice.paymentKind, amount: invoice.amount, status: invoice.status, description: invoice.description, details: { phone: invoice.phone || '', email: invoice.email || '', couponAmount: invoice.couponAmount || '', couponCode: invoice.couponCode || '', }, response: invoice.apiResponse, }); } } console.log('migrated', org.subdomain); } catch (e) { console.error(e.message); } } console.log(`Process finished at: ${new Date()}`); process.exit(); }; command(); ```
/content/code_sandbox/packages/core/src/commands/migrateSaasPayments.ts
xml
2016-11-11T06:54:50
2024-08-16T10:26:06
erxes
erxes/erxes
3,479
442
```xml import classNames from 'classnames'; import React from 'react'; import { ExampleCustomizer } from '../../components/ExampleCustomizer'; import { Heading } from '../../components/Heading'; import styles from '../../index.module.css'; export function ExampleSimpleYetPowerful() { return ( <div className={classNames('section', styles.example)}> <div className={classNames( 'row', styles['blue-accent'], styles['reverse-wrap'], )} > <div className="col"> <div className={classNames(styles['preview-border'], styles['preview'])} > <ExampleCustomizer code={require('!!raw-loader!../CommonForms/SignUp')} example={require('../CommonForms/SignUp').SignUp} schema={require('!!raw-loader!../CommonForms/SignUpSchema')} /> </div> </div> <div className="col col--4"> <div className={classNames( styles['solid-border-box'], styles['simple-yet-powerful-text'], )} > <Heading> Simple, <br /> yet powerful </Heading> <ul> <li>Abbreviates form code by 51%</li> <li> Out-of-the box built-in fields capable of rendering every schema </li> <li>Automatic state management</li> <li>Inline and asynchronous form validation</li> <li> Clean-looking components while keeping extensibility and separation of concerns </li> </ul> </div> </div> </div> </div> ); } ```
/content/code_sandbox/website/pages-parts/LandingPage/ExampleSimpleYetPowerful.tsx
xml
2016-05-10T13:08:50
2024-08-13T11:27:18
uniforms
vazco/uniforms
1,934
354
```xml import { Chart } from '@antv/g2'; const chart = new Chart({ container: 'container', autoFit: true, }); chart.liquid().data(0.3).style({ backgroundFill: 'pink', }); chart.render(); ```
/content/code_sandbox/site/examples/general/Liquid/demo/liquid-background.ts
xml
2016-05-26T09:21:04
2024-08-15T16:11:17
G2
antvis/G2
12,060
54
```xml import * as customPropTypes from '@fluentui/react-proptypes'; import * as React from 'react'; import * as PropTypes from 'prop-types'; import * as _ from 'lodash'; import cx from 'classnames'; import { createShorthandFactory, commonPropTypes } from '../../utils'; import { ComponentEventHandler, FluentComponentStaticProps } from '../../types'; import { UIComponentProps } from '../../utils/commonPropInterfaces'; import { Input } from '../Input/Input'; import { useFluentContext, useTelemetry, useStyles, useUnhandledProps, ForwardRefWithAs, } from '@fluentui/react-bindings'; export interface DropdownSearchInputSlotClassNames { input: string; wrapper: string; } export interface DropdownSearchInputProps extends UIComponentProps<DropdownSearchInputProps> { /** Accessibility props for combobox slot. */ accessibilityComboboxProps?: any; /** Accessibility props for input slot. */ accessibilityInputProps?: any; /** A dropdown search input can show that it cannot be interacted with. */ disabled?: boolean; /** A dropdown search input can be formatted to appear inline in the context of a Dropdown. */ inline?: boolean; /** Ref for input DOM node. */ inputRef?: React.Ref<HTMLInputElement>; /** * Called on input element focus. * * @param event - React's original SyntheticEvent. * @param data - All props and proposed value. */ onFocus?: ComponentEventHandler<DropdownSearchInputProps>; /** * Called on input element blur. * * @param event - React's original SyntheticEvent. * @param data - All props and proposed value. */ onInputBlur?: ComponentEventHandler<DropdownSearchInputProps>; /** * Called on input key down event. * * @param event - React's original SyntheticEvent. * @param data - All props and proposed value. */ onInputKeyDown?: ComponentEventHandler<DropdownSearchInputProps>; /** * Called on input key up event. * * @param event - React's original SyntheticEvent. * @param data - All props and proposed value. */ onKeyUp?: ComponentEventHandler<DropdownSearchInputProps>; /** A placeholder message. */ placeholder?: string; } export const dropdownSearchInputClassName = 'ui-dropdown__searchinput'; export const dropdownSearchInputSlotClassNames: DropdownSearchInputSlotClassNames = { input: `${dropdownSearchInputClassName}__input`, wrapper: `${dropdownSearchInputClassName}__wrapper`, }; export type DropdownSearchInputStylesProps = Required<Pick<DropdownSearchInputProps, 'inline'>>; /** * A DropdownSearchInput represents item of 'search' Dropdown. * Used to display the search input field. */ export const DropdownSearchInput = React.forwardRef<HTMLInputElement, DropdownSearchInputProps>((props, ref) => { const context = useFluentContext(); const { setStart, setEnd } = useTelemetry(DropdownSearchInput.displayName, context.telemetry); setStart(); const { accessibilityComboboxProps, accessibilityInputProps, inputRef, inline, placeholder, disabled, className, design, styles, variables, } = props; const unhandledProps = useUnhandledProps(DropdownSearchInput.handledProps, props); const { styles: resolvedStyles } = useStyles<DropdownSearchInputStylesProps>(DropdownSearchInput.displayName, { className: dropdownSearchInputClassName, mapPropsToStyles: () => ({ inline }), mapPropsToInlineStyles: () => ({ className, design, styles, variables }), }); const handleFocus = (e: React.SyntheticEvent) => { _.invoke(props, 'onFocus', e, props); }; const handleInputKeyDown = (e: React.SyntheticEvent) => { _.invoke(props, 'onInputKeyDown', e, props); }; const handleInputBlur = (e: React.SyntheticEvent) => { _.invoke(props, 'onInputBlur', e, props); }; const handleKeyUp = (e: React.SyntheticEvent) => { _.invoke(props, 'onKeyUp', e, props); }; const element = ( <Input ref={ref} disabled={disabled} inputRef={inputRef} onFocus={handleFocus} onKeyUp={handleKeyUp} {...unhandledProps} wrapper={{ className: cx(dropdownSearchInputSlotClassNames.wrapper, className), styles: resolvedStyles.root, ...accessibilityComboboxProps, ...unhandledProps.wrapper, }} input={{ type: 'text', className: dropdownSearchInputSlotClassNames.input, styles: resolvedStyles.input, placeholder, onBlur: handleInputBlur, onKeyDown: handleInputKeyDown, ...accessibilityInputProps, ...unhandledProps.input, }} /> ); setEnd(); return element; }) as unknown as ForwardRefWithAs<'input', HTMLInputElement, DropdownSearchInputProps> & FluentComponentStaticProps<DropdownSearchInputProps>; DropdownSearchInput.displayName = 'DropdownSearchInput'; DropdownSearchInput.propTypes = { ...commonPropTypes.createCommon({ accessibility: false, children: false, content: false, }), accessibilityInputProps: PropTypes.object, accessibilityComboboxProps: PropTypes.object, disabled: PropTypes.bool, inline: PropTypes.bool, inputRef: customPropTypes.ref, onFocus: PropTypes.func, onInputBlur: PropTypes.func, onInputKeyDown: PropTypes.func, onKeyUp: PropTypes.func, placeholder: PropTypes.string, }; DropdownSearchInput.handledProps = Object.keys(DropdownSearchInput.propTypes) as any; DropdownSearchInput.create = createShorthandFactory({ Component: DropdownSearchInput }); ```
/content/code_sandbox/packages/fluentui/react-northstar/src/components/Dropdown/DropdownSearchInput.tsx
xml
2016-06-06T15:03:44
2024-08-16T18:49:29
fluentui
microsoft/fluentui
18,221
1,235
```xml export * from './validator' export * from './types' ```
/content/code_sandbox/packages/yup-form-adapter/src/index.ts
xml
2016-11-29T04:53:07
2024-08-16T16:25:02
form
TanStack/form
3,566
13
```xml /*your_sha256_hash----------------------------- *your_sha256_hash----------------------------*/ import * as TypeMoq from 'typemoq'; import * as assert from 'assert'; import ServerProvider from '../../src/languageservice/server'; import SqlToolsServiceClient from '../../src/languageservice/serviceclient'; import { Logger, LogLevel } from '../../src/models/logger'; import { PlatformInformation } from '../../src/models/platform'; import StatusView from '../../src/views/statusView'; import * as LanguageServiceContracts from '../../src/models/contracts/languageService'; import { IConfig } from '../../src/languageservice/interfaces'; import ExtConfig from '../../src/configurations/extConfig'; import VscodeWrapper from '../../src/controllers/vscodeWrapper'; interface IFixture { platformInfo: PlatformInformation; installedServerPath: string; downloadedServerPath: string; } suite('Service Client tests', () => { let testConfig: TypeMoq.IMock<IConfig>; let testServiceProvider: TypeMoq.IMock<ServerProvider>; let logger = new Logger(text => console.log(text), LogLevel.Verbose, false); let testStatusView: TypeMoq.IMock<StatusView>; let vscodeWrapper: TypeMoq.IMock<VscodeWrapper>; setup(() => { testConfig = TypeMoq.Mock.ofType(ExtConfig, TypeMoq.MockBehavior.Loose); testServiceProvider = TypeMoq.Mock.ofType(ServerProvider, TypeMoq.MockBehavior.Strict); testStatusView = TypeMoq.Mock.ofType(StatusView); vscodeWrapper = TypeMoq.Mock.ofType(VscodeWrapper); }); function setupMocks(fixture: IFixture): void { testServiceProvider.setup(x => x.downloadServerFiles(fixture.platformInfo.runtimeId)).returns(() => { return Promise.resolve(fixture.downloadedServerPath); }); testServiceProvider.setup(x => x.getServerPath(fixture.platformInfo.runtimeId)).returns(() => { return Promise.resolve(fixture.installedServerPath); }); } // @cssuh 10/22 - commented this test because it was throwing some random undefined errors test.skip('initializeForPlatform should not install the service if already exists', (done) => { let fixture: IFixture = { installedServerPath: 'already installed service', downloadedServerPath: undefined, platformInfo: new PlatformInformation('win32', 'x86_64', undefined) }; setupMocks(fixture); let serviceClient = new SqlToolsServiceClient(testConfig.object, testServiceProvider.object, logger, testStatusView.object, vscodeWrapper.object); serviceClient.initializeForPlatform(fixture.platformInfo, undefined).then(result => { assert.notEqual(result, undefined); assert.equal(result.serverPath, fixture.installedServerPath); assert.equal(result.installedBeforeInitializing, false); }); done(); }); test.skip('initializeForPlatform should install the service if not exists', (done) => { let fixture: IFixture = { installedServerPath: undefined, downloadedServerPath: 'downloaded service', platformInfo: new PlatformInformation('win32', 'x86_64', undefined) }; setupMocks(fixture); let serviceClient = new SqlToolsServiceClient(testConfig.object, testServiceProvider.object, logger, testStatusView.object, vscodeWrapper.object); serviceClient.initializeForPlatform(fixture.platformInfo, undefined).then(result => { assert.notEqual(result, undefined); assert.equal(result.serverPath, fixture.downloadedServerPath); assert.equal(result.installedBeforeInitializing, true); }); done(); }); test('initializeForPlatform should fail given unsupported platform', () => { let fixture: IFixture = { installedServerPath: 'already installed service', downloadedServerPath: undefined, platformInfo: new PlatformInformation('invalid platform', 'x86_64', undefined) }; setupMocks(fixture); let serviceClient = new SqlToolsServiceClient(testConfig.object, testServiceProvider.object, logger, testStatusView.object, vscodeWrapper.object); return serviceClient.initializeForPlatform(fixture.platformInfo, undefined).catch(error => { return assert.equal(error, 'Invalid Platform'); }); }); // @cssuh 10/22 - commented this test because it was throwing some random undefined errors test.skip('initializeForPlatform should set v1 given mac 10.11 or lower', (done) => { let platformInfoMock = TypeMoq.Mock.ofInstance(new PlatformInformation('darwin', 'x86_64', undefined)); platformInfoMock.callBase = true; platformInfoMock.setup(x => x.isMacVersionLessThan(TypeMoq.It.isAnyString())).returns(() => true); let fixture: IFixture = { installedServerPath: 'already installed service', downloadedServerPath: undefined, platformInfo: platformInfoMock.object }; let serviceVersion: number = 0; testConfig.setup(x => x.useServiceVersion(TypeMoq.It.isAnyNumber())).callback(num => serviceVersion = num); setupMocks(fixture); let serviceClient = new SqlToolsServiceClient(testConfig.object, testServiceProvider.object, logger, testStatusView.object, vscodeWrapper.object); serviceClient.initializeForPlatform(fixture.platformInfo, undefined).then(result => { assert.equal(serviceVersion, 1); platformInfoMock.verify(x => x.isMacVersionLessThan(TypeMoq.It.isAny()), TypeMoq.Times.once()); testConfig.verify(x => x.useServiceVersion(1), TypeMoq.Times.once()); assert.notEqual(result, undefined); assert.equal(result.serverPath, fixture.installedServerPath); assert.equal(result.installedBeforeInitializing, false); }); done(); }); test.skip('initializeForPlatform should ignore service version given mac 10.12 or higher', (done) => { let platformInfoMock = TypeMoq.Mock.ofInstance(new PlatformInformation('darwin', 'x86_64', undefined)); platformInfoMock.callBase = true; platformInfoMock.setup(x => x.isMacVersionLessThan(TypeMoq.It.isAnyString())).returns(() => false); let fixture: IFixture = { installedServerPath: 'already installed service', downloadedServerPath: undefined, platformInfo: platformInfoMock.object }; let serviceVersion: number = 0; testConfig.setup(x => x.useServiceVersion(TypeMoq.It.isAnyNumber())).callback(num => serviceVersion = num); setupMocks(fixture); let serviceClient = new SqlToolsServiceClient(testConfig.object, testServiceProvider.object, logger, testStatusView.object, vscodeWrapper.object); serviceClient.initializeForPlatform(fixture.platformInfo, undefined).then(result => { assert.equal(serviceVersion, 0); platformInfoMock.verify(x => x.isMacVersionLessThan(TypeMoq.It.isAny()), TypeMoq.Times.once()); testConfig.verify(x => x.useServiceVersion(1), TypeMoq.Times.never()); assert.notEqual(result, undefined); assert.equal(result.serverPath, fixture.installedServerPath); assert.equal(result.installedBeforeInitializing, false); }); done(); }); test('handleLanguageServiceStatusNotification should change the UI status', (done) => { return new Promise((resolve, reject) => { let fixture: IFixture = { installedServerPath: 'already installed service', downloadedServerPath: undefined, platformInfo: new PlatformInformation('win32', 'x86_64', undefined) }; const testFile = 'file:///my/test/file.sql'; const status = 'new status'; setupMocks(fixture); let serviceClient = new SqlToolsServiceClient(testConfig.object, testServiceProvider.object, logger, testStatusView.object, vscodeWrapper.object); let statusChangeParams = new LanguageServiceContracts.StatusChangeParams(); statusChangeParams.ownerUri = testFile; statusChangeParams.status = status; serviceClient.handleLanguageServiceStatusNotification().call(serviceClient, statusChangeParams); testStatusView.verify(x => x.languageServiceStatusChanged(testFile, status), TypeMoq.Times.once()); done(); }); }); }); ```
/content/code_sandbox/test/unit/serviceClient.test.ts
xml
2016-06-26T04:38:04
2024-08-16T20:04:12
vscode-mssql
microsoft/vscode-mssql
1,523
1,743
```xml /** * @license * * Use of this source code is governed by an MIT-style license that can be * found in the LICENSE file at path_to_url */ import {strings, template as interpolateTemplate, workspaces} from '@angular-devkit/core'; import { apply, applyTemplates, branchAndMerge, chain, filter, mergeWith, move, noop, Rule, SchematicsException, Tree, url, } from '@angular-devkit/schematics'; import {FileSystemSchematicContext} from '@angular-devkit/schematics/tools'; import {Schema as ComponentOptions, Style} from '@schematics/angular/component/schema'; import {InsertChange} from '@schematics/angular/utility/change'; import {getWorkspace} from '@schematics/angular/utility/workspace'; import {buildRelativePath, findModuleFromOptions} from '@schematics/angular/utility/find-module'; import {parseName} from '@schematics/angular/utility/parse-name'; import {validateHtmlSelector} from '@schematics/angular/utility/validation'; import {ProjectType} from '@schematics/angular/utility/workspace-models'; import {addDeclarationToModule, addExportToModule} from '@schematics/angular/utility/ast-utils'; import {readFileSync, statSync} from 'fs'; import {dirname, join, resolve} from 'path'; import * as ts from 'typescript'; import {getProjectFromWorkspace} from './get-project'; import {getDefaultComponentOptions, isStandaloneSchematic} from './schematic-options'; /** * Build a default project path for generating. * @param project The project to build the path for. */ function buildDefaultPath(project: workspaces.ProjectDefinition): string { const root = project.sourceRoot ? `/${project.sourceRoot}/` : `/${project.root}/src/`; const projectDirName = project.extensions['projectType'] === ProjectType.Application ? 'app' : 'lib'; return `${root}${projectDirName}`; } /** * List of style extensions which are CSS compatible. All supported CLI style extensions can be * found here: angular/angular-cli/main/packages/schematics/angular/ng-new/schema.json#L118-L122 */ const supportedCssExtensions = ['css', 'scss', 'less']; function readIntoSourceFile(host: Tree, modulePath: string) { const text = host.read(modulePath); if (text === null) { throw new SchematicsException(`File ${modulePath} does not exist.`); } return ts.createSourceFile(modulePath, text.toString('utf-8'), ts.ScriptTarget.Latest, true); } function addDeclarationToNgModule(options: ComponentOptions): Rule { return (host: Tree) => { if (options.skipImport || options.standalone || !options.module) { return host; } const modulePath = options.module; let source = readIntoSourceFile(host, modulePath); const componentPath = `/${options.path}/` + (options.flat ? '' : strings.dasherize(options.name) + '/') + strings.dasherize(options.name) + '.component'; const relativePath = buildRelativePath(modulePath, componentPath); const classifiedName = strings.classify(`${options.name}Component`); const declarationChanges = addDeclarationToModule( source, modulePath, classifiedName, relativePath, ); const declarationRecorder = host.beginUpdate(modulePath); for (const change of declarationChanges) { if (change instanceof InsertChange) { declarationRecorder.insertLeft(change.pos, change.toAdd); } } host.commitUpdate(declarationRecorder); if (options.export) { // Need to refresh the AST because we overwrote the file in the host. source = readIntoSourceFile(host, modulePath); const exportRecorder = host.beginUpdate(modulePath); const exportChanges = addExportToModule( source, modulePath, strings.classify(`${options.name}Component`), relativePath, ); for (const change of exportChanges) { if (change instanceof InsertChange) { exportRecorder.insertLeft(change.pos, change.toAdd); } } host.commitUpdate(exportRecorder); } return host; }; } function buildSelector(options: ComponentOptions, projectPrefix?: string) { let selector = strings.dasherize(options.name); if (options.prefix) { selector = `${options.prefix}-${selector}`; } else if (options.prefix === undefined && projectPrefix) { selector = `${projectPrefix}-${selector}`; } return selector; } /** * Indents the text content with the amount of specified spaces. The spaces will be added after * every line-break. This utility function can be used inside of EJS templates to properly * include the additional files. */ function indentTextContent(text: string, numSpaces: number): string { // In the Material project there should be only LF line-endings, but the schematic files // are not being linted and therefore there can be also CRLF or just CR line-endings. return text.replace(/(\r\n|\r|\n)/g, `$1${' '.repeat(numSpaces)}`); } /** * Rule that copies and interpolates the files that belong to this schematic context. Additionally * a list of file paths can be passed to this rule in order to expose them inside the EJS * template context. * * This allows inlining the external template or stylesheet files in EJS without having * to manually duplicate the file content. */ export function buildComponent( options: ComponentOptions, additionalFiles: {[key: string]: string} = {}, ): Rule { return async (host, ctx) => { const context = ctx as FileSystemSchematicContext; const workspace = await getWorkspace(host); const project = getProjectFromWorkspace(workspace, options.project); const defaultComponentOptions = getDefaultComponentOptions(project); // TODO(devversion): Remove if we drop support for older CLI versions. // This handles an unreported breaking change from the @angular-devkit/schematics. Previously // the description path resolved to the factory file, but starting from 6.2.0, it resolves // to the factory directory. const schematicPath = statSync(context.schematic.description.path).isDirectory() ? context.schematic.description.path : dirname(context.schematic.description.path); const schematicFilesUrl = './files'; const schematicFilesPath = resolve(schematicPath, schematicFilesUrl); // Add the default component option values to the options if an option is not explicitly // specified but a default component option is available. Object.keys(options) .filter( key => options[key as keyof ComponentOptions] == null && defaultComponentOptions[key as keyof ComponentOptions], ) .forEach( key => ((options as any)[key] = (defaultComponentOptions as ComponentOptions)[ key as keyof ComponentOptions ]), ); if (options.path === undefined) { options.path = buildDefaultPath(project); } options.standalone = await isStandaloneSchematic(host, options); if (!options.standalone) { options.module = findModuleFromOptions(host, options); } const parsedPath = parseName(options.path!, options.name); options.name = parsedPath.name; options.path = parsedPath.path; options.selector = options.selector || buildSelector(options, project.prefix); validateHtmlSelector(options.selector!); // In case the specified style extension is not part of the supported CSS supersets, // we generate the stylesheets with the "css" extension. This ensures that we don't // accidentally generate invalid stylesheets (e.g. drag-drop-comp.styl) which will // break the Angular CLI project. See: path_to_url if (!supportedCssExtensions.includes(options.style!)) { options.style = Style.Css; } // Object that will be used as context for the EJS templates. const baseTemplateContext = { ...strings, 'if-flat': (s: string) => (options.flat ? '' : s), ...options, }; // Key-value object that includes the specified additional files with their loaded content. // The resolved contents can be used inside EJS templates. const resolvedFiles: Record<string, string> = {}; for (let key in additionalFiles) { if (additionalFiles[key]) { const fileContent = readFileSync(join(schematicFilesPath, additionalFiles[key]), 'utf-8'); // Interpolate the additional files with the base EJS template context. resolvedFiles[key] = interpolateTemplate(fileContent)(baseTemplateContext); } } const templateSource = apply(url(schematicFilesUrl), [ options.skipTests ? filter(path => !path.endsWith('.spec.ts.template')) : noop(), options.inlineStyle ? filter(path => !path.endsWith('.__style__.template')) : noop(), options.inlineTemplate ? filter(path => !path.endsWith('.html.template')) : noop(), // Treat the template options as any, because the type definition for the template options // is made unnecessarily explicit. Every type of object can be used in the EJS template. applyTemplates({indentTextContent, resolvedFiles, ...baseTemplateContext} as any), // TODO(devversion): figure out why we cannot just remove the first parameter // See for example: angular-cli#schematics/angular/component/index.ts#L160 move(null as any, parsedPath.path), ]); return () => chain([ branchAndMerge(chain([addDeclarationToNgModule(options), mergeWith(templateSource)])), ])(host, context); }; } ```
/content/code_sandbox/src/cdk/schematics/utils/build-component.ts
xml
2016-01-04T18:50:02
2024-08-16T11:21:13
components
angular/components
24,263
2,061
```xml import {Component} from 'angular2/core'; @Component({ selector: 'about', templateUrl: './components/about/about.html' }) export class About {} ```
/content/code_sandbox/app/components/about/about.ts
xml
2016-01-04T01:19:52
2024-08-15T22:13:36
pev
AlexTatiyants/pev
2,757
33
```xml /* * Wire * * This program is free software: you can redistribute it and/or modify * (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 * * along with this program. If not, see path_to_url * */ export * from './Proteus'; export * from './MLS'; ```
/content/code_sandbox/src/script/conversation/ConversationVerificationStateHandler/index.ts
xml
2016-07-21T15:34:05
2024-08-16T11:40:13
wire-webapp
wireapp/wire-webapp
1,125
102
```xml /// /// /// /// path_to_url /// /// Unless required by applicable law or agreed to in writing, software /// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. /// import { TenantId } from '@shared/models/id/tenant-id'; import { RpcId } from '@shared/models/id/rpc-id'; import { DeviceId } from '@shared/models/id/device-id'; import { TableCellButtonActionDescriptor } from '@home/components/widget/lib/table-widget.models'; export enum RpcStatus { QUEUED = 'QUEUED', DELIVERED = 'DELIVERED', SUCCESSFUL = 'SUCCESSFUL', TIMEOUT = 'TIMEOUT', FAILED = 'FAILED', SENT = 'SENT', EXPIRED = 'EXPIRED' } export const rpcStatusColors = new Map<RpcStatus, string>( [ [RpcStatus.QUEUED, 'black'], [RpcStatus.DELIVERED, 'green'], [RpcStatus.SUCCESSFUL, 'green'], [RpcStatus.TIMEOUT, 'orange'], [RpcStatus.FAILED, 'red'], [RpcStatus.SENT, 'green'], [RpcStatus.EXPIRED, 'red'] ] ); export const rpcStatusTranslation = new Map<RpcStatus, string>( [ [RpcStatus.QUEUED, 'widgets.persistent-table.rpc-status.QUEUED'], [RpcStatus.DELIVERED, 'widgets.persistent-table.rpc-status.DELIVERED'], [RpcStatus.SUCCESSFUL, 'widgets.persistent-table.rpc-status.SUCCESSFUL'], [RpcStatus.TIMEOUT, 'widgets.persistent-table.rpc-status.TIMEOUT'], [RpcStatus.FAILED, 'widgets.persistent-table.rpc-status.FAILED'], [RpcStatus.SENT, 'widgets.persistent-table.rpc-status.SENT'], [RpcStatus.EXPIRED, 'widgets.persistent-table.rpc-status.EXPIRED'] ] ); export interface PersistentRpc { id: RpcId; createdTime: number; expirationTime: number; status: RpcStatus; response: any; request: { id: string; oneway: boolean; body: { method: string; params: string; }; retries: null | number; }; deviceId: DeviceId; tenantId: TenantId; additionalInfo?: string; } export interface PersistentRpcData extends PersistentRpc { actionCellButtons?: TableCellButtonActionDescriptor[]; hasActions?: boolean; } export interface RequestData { method?: string; oneWayElseTwoWay?: boolean; persistentPollingInterval?: number; retries?: number; params?: object; additionalInfo?: object; } ```
/content/code_sandbox/ui-ngx/src/app/shared/models/rpc.models.ts
xml
2016-12-01T09:33:30
2024-08-16T19:58:25
thingsboard
thingsboard/thingsboard
16,820
558
```xml /** * @file Automatically generated by barrelsby. */ export * from "./HelloWorldController.js"; ```
/content/code_sandbox/tools/integration/src/controllers/rest/index.ts
xml
2016-02-21T18:38:47
2024-08-14T21:19:48
tsed
tsedio/tsed
2,817
21
```xml <?xml version="1.0" encoding="utf-8" ?> <!-- * * * Permission is hereby granted, free of charge, to any person * obtaining a copy of this software and associated documentation * files (the "Software"), to deal in the Software without * restriction, including without limitation the rights to use, * copy, modify, merge, publish, distribute, sublicense, and/or sell * copies of the Software, and to permit persons to whom the * Software is furnished to do so, subject to the following * conditions: * * The above copyright notice and this permission notice shall be * included in all copies or substantial portions of the Software. * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, * EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES * OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND * NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT * HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, * WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING * FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR * OTHER DEALINGS IN THE SOFTWARE. * * The complete license agreement can be found here: --> <uax:ListOfNodeState xmlns:xsi="path_to_url" xmlns:uax="path_to_url"> <uax:NamespaceUris> <uax:NamespaceUri>path_to_url </uax:NamespaceUris> <OPCUAGDSNamespaceMetadata xmlns="path_to_url"> <uax:NodeClass>Object_1</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=721</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>path_to_url </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=11616</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>721</uax:NumericId> <uax:References> <uax:Reference> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:IsInverse>true</uax:IsInverse> <uax:TargetId> <uax:Identifier>i=11715</uax:Identifier> </uax:TargetId> </uax:Reference> </uax:References> <NamespaceUri xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=722</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>NamespaceUri</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>722</uax:NumericId> <uax:Value> <uax:Value> <uax:String>path_to_url </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </NamespaceUri> <NamespaceVersion xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=723</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>NamespaceVersion</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>723</uax:NumericId> <uax:Value> <uax:Value> <uax:String>1.05.02</uax:String> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </NamespaceVersion> <NamespacePublicationDate xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=724</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>NamespacePublicationDate</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>724</uax:NumericId> <uax:Value> <uax:Value> <uax:DateTime>2023-12-15T00:00:00Z</uax:DateTime> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=13</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </NamespacePublicationDate> <IsNamespaceSubset xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=725</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>IsNamespaceSubset</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>725</uax:NumericId> <uax:Value> <uax:Value> <uax:Boolean>false</uax:Boolean> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </IsNamespaceSubset> <StaticNodeIdTypes xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=726</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>StaticNodeIdTypes</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>726</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfInt32> <uax:Int32>0</uax:Int32> </uax:ListOfInt32> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=256</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>0</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </StaticNodeIdTypes> <StaticNumericNodeIdRange xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=727</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>StaticNumericNodeIdRange</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>727</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfString> <uax:String>1:2147483647</uax:String> </uax:ListOfString> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=291</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>0</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </StaticNumericNodeIdRange> <StaticStringNodeIdPattern xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=728</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>StaticStringNodeIdPattern</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>728</uax:NumericId> <uax:Value> <uax:Value> <uax:String /> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </StaticStringNodeIdPattern> <DefaultRolePermissions xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=862</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>DefaultRolePermissions</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>862</uax:NumericId> <uax:DataType> <uax:Identifier>i=96</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>0</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </DefaultRolePermissions> <DefaultUserRolePermissions xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=863</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>DefaultUserRolePermissions</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>863</uax:NumericId> <uax:DataType> <uax:Identifier>i=96</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>0</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </DefaultUserRolePermissions> <DefaultAccessRestrictions xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=864</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>DefaultAccessRestrictions</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>864</uax:NumericId> <uax:DataType> <uax:Identifier>i=95</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </DefaultAccessRestrictions> <ModelVersion> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1756</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>ModelVersion</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1756</uax:NumericId> <uax:Value> <uax:Value> <uax:String>1.5.2</uax:String> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=24263</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </ModelVersion> </OPCUAGDSNamespaceMetadata> <WellKnownRole_DiscoveryAdmin xmlns="path_to_url"> <uax:NodeClass>Object_1</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1661</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>DiscoveryAdmin</uax:Name> </uax:BrowseName> <uax:Description> <uax:Text>This Role grants rights to register, update and unregister any OPC UA Application.</uax:Text> </uax:Description> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=15620</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1661</uax:NumericId> <uax:References> <uax:Reference> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:IsInverse>true</uax:IsInverse> <uax:TargetId> <uax:Identifier>i=15606</uax:Identifier> </uax:TargetId> </uax:Reference> </uax:References> <Identities xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1662</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Identities</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1662</uax:NumericId> <uax:DataType> <uax:Identifier>i=15634</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>0</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </Identities> <ApplicationsExclude xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1663</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>ApplicationsExclude</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1663</uax:NumericId> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </ApplicationsExclude> <Applications xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1664</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Applications</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1664</uax:NumericId> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>0</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </Applications> <EndpointsExclude xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1665</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>EndpointsExclude</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1665</uax:NumericId> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </EndpointsExclude> <Endpoints xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1666</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Endpoints</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1666</uax:NumericId> <uax:DataType> <uax:Identifier>i=15528</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>0</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </Endpoints> <AddIdentity xmlns="path_to_url"> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1668</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>AddIdentity</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=15624</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1668</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1669</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1669</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Rule</uax:Name> <uax:DataType> <uax:Identifier>i=15634</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </AddIdentity> <RemoveIdentity xmlns="path_to_url"> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1670</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>RemoveIdentity</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=15626</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1670</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1671</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1671</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Rule</uax:Name> <uax:DataType> <uax:Identifier>i=15634</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </RemoveIdentity> <AddApplication xmlns="path_to_url"> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1672</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>AddApplication</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=16176</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1672</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1673</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1673</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationUri</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </AddApplication> <RemoveApplication xmlns="path_to_url"> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1674</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>RemoveApplication</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=16178</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1674</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1675</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1675</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationUri</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </RemoveApplication> <AddEndpoint xmlns="path_to_url"> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1676</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>AddEndpoint</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=16180</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1676</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1677</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1677</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Endpoint</uax:Name> <uax:DataType> <uax:Identifier>i=15528</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </AddEndpoint> <RemoveEndpoint xmlns="path_to_url"> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1678</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>RemoveEndpoint</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=16182</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1678</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1679</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1679</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Endpoint</uax:Name> <uax:DataType> <uax:Identifier>i=15528</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </RemoveEndpoint> </WellKnownRole_DiscoveryAdmin> <WellKnownRole_CertificateAuthorityAdmin xmlns="path_to_url"> <uax:NodeClass>Object_1</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1680</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>CertificateAuthorityAdmin</uax:Name> </uax:BrowseName> <uax:Description> <uax:Text>This Role grants rights to request or revoke any Certificate, update any TrustList or assign CertificateGroups to OPC UA Applications.</uax:Text> </uax:Description> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=15620</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1680</uax:NumericId> <uax:References> <uax:Reference> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:IsInverse>true</uax:IsInverse> <uax:TargetId> <uax:Identifier>i=15606</uax:Identifier> </uax:TargetId> </uax:Reference> </uax:References> <Identities xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1681</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Identities</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1681</uax:NumericId> <uax:DataType> <uax:Identifier>i=15634</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>0</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </Identities> <ApplicationsExclude xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1682</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>ApplicationsExclude</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1682</uax:NumericId> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </ApplicationsExclude> <Applications xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1683</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Applications</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1683</uax:NumericId> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>0</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </Applications> <EndpointsExclude xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1684</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>EndpointsExclude</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1684</uax:NumericId> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </EndpointsExclude> <Endpoints xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1685</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Endpoints</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1685</uax:NumericId> <uax:DataType> <uax:Identifier>i=15528</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>0</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </Endpoints> <AddIdentity xmlns="path_to_url"> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1687</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>AddIdentity</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=15624</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1687</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1688</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1688</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Rule</uax:Name> <uax:DataType> <uax:Identifier>i=15634</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </AddIdentity> <RemoveIdentity xmlns="path_to_url"> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1689</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>RemoveIdentity</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=15626</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1689</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1690</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1690</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Rule</uax:Name> <uax:DataType> <uax:Identifier>i=15634</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </RemoveIdentity> <AddApplication xmlns="path_to_url"> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1691</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>AddApplication</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=16176</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1691</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1692</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1692</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationUri</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </AddApplication> <RemoveApplication xmlns="path_to_url"> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1693</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>RemoveApplication</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=16178</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1693</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1694</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1694</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationUri</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </RemoveApplication> <AddEndpoint xmlns="path_to_url"> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1695</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>AddEndpoint</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=16180</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1695</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1696</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1696</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Endpoint</uax:Name> <uax:DataType> <uax:Identifier>i=15528</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </AddEndpoint> <RemoveEndpoint xmlns="path_to_url"> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1697</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>RemoveEndpoint</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=16182</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1697</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1698</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1698</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Endpoint</uax:Name> <uax:DataType> <uax:Identifier>i=15528</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </RemoveEndpoint> </WellKnownRole_CertificateAuthorityAdmin> <WellKnownRole_RegistrationAuthorityAdmin xmlns="path_to_url"> <uax:NodeClass>Object_1</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1699</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>RegistrationAuthorityAdmin</uax:Name> </uax:BrowseName> <uax:Description> <uax:Text>This Role grants rights to approve Certificate Signing requests or NewKeyPair requests.</uax:Text> </uax:Description> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=15620</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1699</uax:NumericId> <uax:References> <uax:Reference> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:IsInverse>true</uax:IsInverse> <uax:TargetId> <uax:Identifier>i=15606</uax:Identifier> </uax:TargetId> </uax:Reference> </uax:References> <Identities xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1700</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Identities</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1700</uax:NumericId> <uax:DataType> <uax:Identifier>i=15634</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>0</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </Identities> <ApplicationsExclude xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1701</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>ApplicationsExclude</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1701</uax:NumericId> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </ApplicationsExclude> <Applications xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1702</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Applications</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1702</uax:NumericId> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>0</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </Applications> <EndpointsExclude xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1703</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>EndpointsExclude</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1703</uax:NumericId> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </EndpointsExclude> <Endpoints xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1704</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Endpoints</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1704</uax:NumericId> <uax:DataType> <uax:Identifier>i=15528</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>0</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </Endpoints> <AddIdentity xmlns="path_to_url"> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1706</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>AddIdentity</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=15624</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1706</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1707</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1707</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Rule</uax:Name> <uax:DataType> <uax:Identifier>i=15634</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </AddIdentity> <RemoveIdentity xmlns="path_to_url"> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1708</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>RemoveIdentity</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=15626</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1708</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1709</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1709</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Rule</uax:Name> <uax:DataType> <uax:Identifier>i=15634</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </RemoveIdentity> <AddApplication xmlns="path_to_url"> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1710</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>AddApplication</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=16176</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1710</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1711</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1711</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationUri</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </AddApplication> <RemoveApplication xmlns="path_to_url"> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1712</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>RemoveApplication</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=16178</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1712</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1713</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1713</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationUri</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </RemoveApplication> <AddEndpoint xmlns="path_to_url"> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1714</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>AddEndpoint</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=16180</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1714</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1715</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1715</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Endpoint</uax:Name> <uax:DataType> <uax:Identifier>i=15528</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </AddEndpoint> <RemoveEndpoint xmlns="path_to_url"> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1716</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>RemoveEndpoint</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=16182</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1716</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1717</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1717</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Endpoint</uax:Name> <uax:DataType> <uax:Identifier>i=15528</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </RemoveEndpoint> </WellKnownRole_RegistrationAuthorityAdmin> <WellKnownRole_KeyCredentialAdmin xmlns="path_to_url"> <uax:NodeClass>Object_1</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1718</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>KeyCredentialAdmin</uax:Name> </uax:BrowseName> <uax:Description> <uax:Text>This Role grants rights to request or revoke any KeyCredential.</uax:Text> </uax:Description> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=15620</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1718</uax:NumericId> <uax:References> <uax:Reference> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:IsInverse>true</uax:IsInverse> <uax:TargetId> <uax:Identifier>i=15606</uax:Identifier> </uax:TargetId> </uax:Reference> </uax:References> <Identities xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1719</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Identities</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1719</uax:NumericId> <uax:DataType> <uax:Identifier>i=15634</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>0</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </Identities> <ApplicationsExclude xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1720</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>ApplicationsExclude</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1720</uax:NumericId> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </ApplicationsExclude> <Applications xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1721</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Applications</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1721</uax:NumericId> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>0</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </Applications> <EndpointsExclude xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1722</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>EndpointsExclude</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1722</uax:NumericId> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </EndpointsExclude> <Endpoints xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1723</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Endpoints</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1723</uax:NumericId> <uax:DataType> <uax:Identifier>i=15528</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>0</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </Endpoints> <AddIdentity xmlns="path_to_url"> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1725</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>AddIdentity</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=15624</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1725</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1726</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1726</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Rule</uax:Name> <uax:DataType> <uax:Identifier>i=15634</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </AddIdentity> <RemoveIdentity xmlns="path_to_url"> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1727</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>RemoveIdentity</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=15626</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1727</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1728</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1728</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Rule</uax:Name> <uax:DataType> <uax:Identifier>i=15634</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </RemoveIdentity> <AddApplication xmlns="path_to_url"> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1729</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>AddApplication</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=16176</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1729</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1730</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1730</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationUri</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </AddApplication> <RemoveApplication xmlns="path_to_url"> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1731</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>RemoveApplication</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=16178</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1731</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1732</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1732</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationUri</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </RemoveApplication> <AddEndpoint xmlns="path_to_url"> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1733</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>AddEndpoint</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=16180</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1733</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1734</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1734</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Endpoint</uax:Name> <uax:DataType> <uax:Identifier>i=15528</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </AddEndpoint> <RemoveEndpoint xmlns="path_to_url"> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1735</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>RemoveEndpoint</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=16182</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1735</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1736</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1736</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Endpoint</uax:Name> <uax:DataType> <uax:Identifier>i=15528</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </RemoveEndpoint> </WellKnownRole_KeyCredentialAdmin> <WellKnownRole_AuthorizationServiceAdmin xmlns="path_to_url"> <uax:NodeClass>Object_1</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1737</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>AuthorizationServiceAdmin</uax:Name> </uax:BrowseName> <uax:Description> <uax:Text>This Role grants rights to request or revoke any KeyCredential.</uax:Text> </uax:Description> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=15620</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1737</uax:NumericId> <uax:References> <uax:Reference> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:IsInverse>true</uax:IsInverse> <uax:TargetId> <uax:Identifier>i=15606</uax:Identifier> </uax:TargetId> </uax:Reference> </uax:References> <Identities xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1738</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Identities</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1738</uax:NumericId> <uax:DataType> <uax:Identifier>i=15634</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>0</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </Identities> <ApplicationsExclude xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1739</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>ApplicationsExclude</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1739</uax:NumericId> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </ApplicationsExclude> <Applications xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1740</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Applications</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1740</uax:NumericId> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>0</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </Applications> <EndpointsExclude xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1741</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>EndpointsExclude</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1741</uax:NumericId> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </EndpointsExclude> <Endpoints xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1742</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Endpoints</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1742</uax:NumericId> <uax:DataType> <uax:Identifier>i=15528</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>0</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </Endpoints> <AddIdentity xmlns="path_to_url"> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1744</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>AddIdentity</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=15624</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1744</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1745</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1745</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Rule</uax:Name> <uax:DataType> <uax:Identifier>i=15634</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </AddIdentity> <RemoveIdentity xmlns="path_to_url"> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1746</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>RemoveIdentity</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=15626</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1746</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1747</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1747</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Rule</uax:Name> <uax:DataType> <uax:Identifier>i=15634</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </RemoveIdentity> <AddApplication xmlns="path_to_url"> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1748</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>AddApplication</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=16176</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1748</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1749</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1749</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationUri</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </AddApplication> <RemoveApplication xmlns="path_to_url"> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1750</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>RemoveApplication</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=16178</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1750</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1751</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1751</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationUri</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </RemoveApplication> <AddEndpoint xmlns="path_to_url"> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1752</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>AddEndpoint</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=16180</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1752</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1753</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1753</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Endpoint</uax:Name> <uax:DataType> <uax:Identifier>i=15528</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </AddEndpoint> <RemoveEndpoint xmlns="path_to_url"> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1754</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>RemoveEndpoint</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=16182</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1754</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1755</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1755</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Endpoint</uax:Name> <uax:DataType> <uax:Identifier>i=15528</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </RemoveEndpoint> </WellKnownRole_AuthorizationServiceAdmin> <ApplicationRecordDataType xmlns="path_to_url"> <uax:NodeClass>DataType_64</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>ApplicationRecordDataType</uax:Name> </uax:BrowseName> <uax:SuperTypeId> <uax:Identifier>i=22</uax:Identifier> </uax:SuperTypeId> <uax:DataTypeDefinition> <uax:TypeId> <uax:Identifier>i=14798</uax:Identifier> </uax:TypeId> <uax:Body> <uax:StructureDefinition> <uax:BaseDataType> <uax:Identifier>i=22</uax:Identifier> </uax:BaseDataType> <uax:StructureType>Structure_0</uax:StructureType> <uax:Fields> <uax:StructureField> <uax:Name>ApplicationId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> <uax:MaxStringLength>0</uax:MaxStringLength> <uax:IsOptional>false</uax:IsOptional> </uax:StructureField> <uax:StructureField> <uax:Name>ApplicationUri</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> <uax:MaxStringLength>0</uax:MaxStringLength> <uax:IsOptional>false</uax:IsOptional> </uax:StructureField> <uax:StructureField> <uax:Name>ApplicationType</uax:Name> <uax:DataType> <uax:Identifier>i=307</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> <uax:MaxStringLength>0</uax:MaxStringLength> <uax:IsOptional>false</uax:IsOptional> </uax:StructureField> <uax:StructureField> <uax:Name>ApplicationNames</uax:Name> <uax:DataType> <uax:Identifier>i=21</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions> <uax:UInt32>0</uax:UInt32> </uax:ArrayDimensions> <uax:MaxStringLength>0</uax:MaxStringLength> <uax:IsOptional>false</uax:IsOptional> </uax:StructureField> <uax:StructureField> <uax:Name>ProductUri</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> <uax:MaxStringLength>0</uax:MaxStringLength> <uax:IsOptional>false</uax:IsOptional> </uax:StructureField> <uax:StructureField> <uax:Name>DiscoveryUrls</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions> <uax:UInt32>0</uax:UInt32> </uax:ArrayDimensions> <uax:MaxStringLength>0</uax:MaxStringLength> <uax:IsOptional>false</uax:IsOptional> </uax:StructureField> <uax:StructureField> <uax:Name>ServerCapabilities</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions> <uax:UInt32>0</uax:UInt32> </uax:ArrayDimensions> <uax:MaxStringLength>0</uax:MaxStringLength> <uax:IsOptional>false</uax:IsOptional> </uax:StructureField> </uax:Fields> </uax:StructureDefinition> </uax:Body> </uax:DataTypeDefinition> </ApplicationRecordDataType> <DirectoryType xmlns="path_to_url"> <uax:NodeClass>ObjectType_8</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=13</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>DirectoryType</uax:Name> </uax:BrowseName> <uax:SuperTypeId> <uax:Identifier>i=61</uax:Identifier> </uax:SuperTypeId> <Applications> <uax:NodeClass>Object_1</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=14</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>Applications</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=61</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>14</uax:NumericId> </Applications> <FindApplications> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=15</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>FindApplications</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=15</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>15</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=16</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>16</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationUri</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=17</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>17</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Applications</uax:Name> <uax:DataType> <uax:Identifier>ns=1;i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions> <uax:UInt32>0</uax:UInt32> </uax:ArrayDimensions> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </FindApplications> <RegisterApplication> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=18</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>RegisterApplication</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=18</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>18</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=19</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>19</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Application</uax:Name> <uax:DataType> <uax:Identifier>ns=1;i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=20</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>20</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </RegisterApplication> <UpdateApplication> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=188</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>UpdateApplication</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=188</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>188</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=189</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>189</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Application</uax:Name> <uax:DataType> <uax:Identifier>ns=1;i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </UpdateApplication> <UnregisterApplication> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=21</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>UnregisterApplication</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=21</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>21</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=22</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>22</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </UnregisterApplication> <GetApplication> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=210</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>GetApplication</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=210</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>210</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=211</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>211</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=212</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>212</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Application</uax:Name> <uax:DataType> <uax:Identifier>ns=1;i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </GetApplication> <QueryApplications> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=868</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>QueryApplications</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=868</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>868</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=869</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>869</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>StartingRecordId</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>MaxRecordsToReturn</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationName</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationUri</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationType</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ProductUri</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Capabilities</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions> <uax:UInt32>0</uax:UInt32> </uax:ArrayDimensions> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>7</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=870</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>870</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>LastCounterResetTime</uax:Name> <uax:DataType> <uax:Identifier>i=294</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>NextRecordId</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Applications</uax:Name> <uax:DataType> <uax:Identifier>i=308</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions> <uax:UInt32>0</uax:UInt32> </uax:ArrayDimensions> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>3</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </QueryApplications> <QueryServers> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=23</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>QueryServers</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=23</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>23</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=24</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>24</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>StartingRecordId</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>MaxRecordsToReturn</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationName</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationUri</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ProductUri</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ServerCapabilities</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions> <uax:UInt32>0</uax:UInt32> </uax:ArrayDimensions> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>6</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=25</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>25</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>LastCounterResetTime</uax:Name> <uax:DataType> <uax:Identifier>i=294</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Servers</uax:Name> <uax:DataType> <uax:Identifier>i=12189</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions> <uax:UInt32>0</uax:UInt32> </uax:ArrayDimensions> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </QueryServers> </DirectoryType> <ApplicationRegistrationChangedAuditEventType xmlns="path_to_url"> <uax:NodeClass>ObjectType_8</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=26</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>ApplicationRegistrationChangedAuditEventType</uax:Name> </uax:BrowseName> <uax:SuperTypeId> <uax:Identifier>i=2127</uax:Identifier> </uax:SuperTypeId> <uax:IsAbstract>true</uax:IsAbstract> </ApplicationRegistrationChangedAuditEventType> <CertificateDirectoryType xmlns="path_to_url"> <uax:NodeClass>ObjectType_8</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=63</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>CertificateDirectoryType</uax:Name> </uax:BrowseName> <uax:SuperTypeId> <uax:Identifier>ns=1;i=13</uax:Identifier> </uax:SuperTypeId> <CertificateGroups> <uax:NodeClass>Object_1</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=511</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>CertificateGroups</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=35</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=13813</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>511</uax:NumericId> <DefaultApplicationGroup xmlns="path_to_url"> <uax:NodeClass>Object_1</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=512</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>DefaultApplicationGroup</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=12555</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>512</uax:NumericId> <uax:References> <uax:Reference> <uax:ReferenceTypeId> <uax:Identifier>i=9006</uax:Identifier> </uax:ReferenceTypeId> <uax:TargetId> <uax:Identifier>i=13225</uax:Identifier> </uax:TargetId> </uax:Reference> </uax:References> <TrustList> <uax:NodeClass>Object_1</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=513</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>TrustList</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=12522</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>513</uax:NumericId> <Size> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=514</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Size</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>514</uax:NumericId> <uax:DataType> <uax:Identifier>i=9</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </Size> <Writable> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=515</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Writable</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>515</uax:NumericId> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </Writable> <UserWritable> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=516</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>UserWritable</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>516</uax:NumericId> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </UserWritable> <OpenCount> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=517</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OpenCount</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>517</uax:NumericId> <uax:DataType> <uax:Identifier>i=5</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OpenCount> <Open> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=519</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Open</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=11580</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>519</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=520</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>520</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Mode</uax:Name> <uax:DataType> <uax:Identifier>i=3</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=521</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>521</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </Open> <Close> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=522</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Close</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=11583</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>522</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=523</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>523</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </Close> <Read> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=524</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Read</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=11585</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>524</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=525</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>525</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Length</uax:Name> <uax:DataType> <uax:Identifier>i=6</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=526</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>526</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Data</uax:Name> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </Read> <Write> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=527</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Write</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=11588</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>527</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=528</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>528</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Data</uax:Name> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </Write> <GetPosition> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=529</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>GetPosition</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=11590</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>529</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=530</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>530</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=531</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>531</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Position</uax:Name> <uax:DataType> <uax:Identifier>i=9</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </GetPosition> <SetPosition> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=532</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>SetPosition</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=11593</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>532</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=533</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>533</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Position</uax:Name> <uax:DataType> <uax:Identifier>i=9</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </SetPosition> <LastUpdateTime> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=534</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>LastUpdateTime</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>534</uax:NumericId> <uax:DataType> <uax:Identifier>i=294</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </LastUpdateTime> <OpenWithMasks> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=535</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OpenWithMasks</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=12543</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>535</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=536</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>536</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Masks</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=537</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>537</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </OpenWithMasks> <CloseAndUpdate> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=538</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>CloseAndUpdate</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=12546</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>538</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=539</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>539</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=540</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>540</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplyChangesRequired</uax:Name> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </CloseAndUpdate> <AddCertificate> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=541</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>AddCertificate</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=12548</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>541</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=542</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>542</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Certificate</uax:Name> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>IsTrustedCertificate</uax:Name> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </AddCertificate> <RemoveCertificate> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=543</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>RemoveCertificate</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=12550</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>543</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=544</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>544</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Thumbprint</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>IsTrustedCertificate</uax:Name> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </RemoveCertificate> </TrustList> <CertificateTypes> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=545</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>CertificateTypes</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>545</uax:NumericId> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>0</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </CertificateTypes> </DefaultApplicationGroup> </CertificateGroups> <StartSigningRequest> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=79</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>StartSigningRequest</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=79</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>79</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=80</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>80</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>CertificateGroupId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>CertificateTypeId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>CertificateRequest</uax:Name> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>4</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=81</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>81</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>RequestId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </StartSigningRequest> <StartNewKeyPairRequest> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=76</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>StartNewKeyPairRequest</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=76</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>76</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=77</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>77</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>CertificateGroupId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>CertificateTypeId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>SubjectName</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>DomainNames</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions> <uax:UInt32>0</uax:UInt32> </uax:ArrayDimensions> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>PrivateKeyFormat</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>PrivateKeyPassword</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>7</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=78</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>78</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>RequestId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </StartNewKeyPairRequest> <FinishRequest> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=85</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>FinishRequest</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=85</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>85</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=86</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>86</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>RequestId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=87</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>87</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Certificate</uax:Name> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>PrivateKey</uax:Name> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>IssuerCertificates</uax:Name> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions> <uax:UInt32>0</uax:UInt32> </uax:ArrayDimensions> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>3</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </FinishRequest> <RevokeCertificate> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=15003</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>RevokeCertificate</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=15003</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=80</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>15003</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=15004</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>15004</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Certificate</uax:Name> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </RevokeCertificate> <GetCertificateGroups> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=369</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>GetCertificateGroups</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=369</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>369</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=370</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>370</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=371</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>371</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>CertificateGroupIds</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions> <uax:UInt32>0</uax:UInt32> </uax:ArrayDimensions> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </GetCertificateGroups> <GetCertificates> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=89</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>GetCertificates</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=89</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=80</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>89</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=90</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>90</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>CertificateGroupId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=108</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>108</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>CertificateTypeIds</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions> <uax:UInt32>0</uax:UInt32> </uax:ArrayDimensions> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Certificates</uax:Name> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions> <uax:UInt32>0</uax:UInt32> </uax:ArrayDimensions> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </GetCertificates> <GetTrustList> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=197</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>GetTrustList</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=197</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>197</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=198</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>198</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>CertificateGroupId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=199</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>199</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>TrustListId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </GetTrustList> <GetCertificateStatus> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=222</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>GetCertificateStatus</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=222</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>222</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=223</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>223</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>CertificateGroupId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>CertificateTypeId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>3</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=224</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>224</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>UpdateRequired</uax:Name> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </GetCertificateStatus> <CheckRevocationStatus> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=126</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>CheckRevocationStatus</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=126</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=80</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>126</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=160</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>160</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Certificate</uax:Name> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=161</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>161</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>CertificateStatus</uax:Name> <uax:DataType> <uax:Identifier>i=19</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ValidityTime</uax:Name> <uax:DataType> <uax:Identifier>i=294</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </CheckRevocationStatus> </CertificateDirectoryType> <CertificateRequestedAuditEventType xmlns="path_to_url"> <uax:NodeClass>ObjectType_8</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=91</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>CertificateRequestedAuditEventType</uax:Name> </uax:BrowseName> <uax:SuperTypeId> <uax:Identifier>i=2127</uax:Identifier> </uax:SuperTypeId> <uax:IsAbstract>true</uax:IsAbstract> <CertificateGroup> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=717</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>CertificateGroup</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>717</uax:NumericId> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </CertificateGroup> <CertificateType> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=718</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>CertificateType</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>718</uax:NumericId> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </CertificateType> </CertificateRequestedAuditEventType> <CertificateDeliveredAuditEventType xmlns="path_to_url"> <uax:NodeClass>ObjectType_8</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=109</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>CertificateDeliveredAuditEventType</uax:Name> </uax:BrowseName> <uax:SuperTypeId> <uax:Identifier>i=2127</uax:Identifier> </uax:SuperTypeId> <uax:IsAbstract>true</uax:IsAbstract> <CertificateGroup> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=719</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>CertificateGroup</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>719</uax:NumericId> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </CertificateGroup> <CertificateType> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=720</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>CertificateType</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>720</uax:NumericId> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </CertificateType> </CertificateDeliveredAuditEventType> <KeyCredentialManagementFolderType xmlns="path_to_url"> <uax:NodeClass>ObjectType_8</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=55</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>KeyCredentialManagementFolderType</uax:Name> </uax:BrowseName> <uax:SuperTypeId> <uax:Identifier>i=61</uax:Identifier> </uax:SuperTypeId> <ServiceName_Placeholder> <uax:NodeClass>Object_1</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=61</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>&lt;ServiceName&gt;</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=1020</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=11508</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>61</uax:NumericId> <ResourceUri> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=83</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>ResourceUri</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>83</uax:NumericId> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </ResourceUri> <ProfileUris> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=162</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>ProfileUris</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>162</uax:NumericId> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>0</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </ProfileUris> <StartRequest> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=168</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>StartRequest</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=1023</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>168</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=171</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>171</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationUri</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>PublicKey</uax:Name> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>SecurityPolicyUri</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>RequestedRoles</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions> <uax:UInt32>0</uax:UInt32> </uax:ArrayDimensions> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>4</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=195</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>195</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>RequestId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </StartRequest> <FinishRequest> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=196</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>FinishRequest</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=1026</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>196</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=202</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>202</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>RequestId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>CancelRequest</uax:Name> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=203</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>203</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>CredentialId</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>CredentialSecret</uax:Name> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>CertificateThumbprint</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>SecurityPolicyUri</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>GrantedRoles</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions> <uax:UInt32>0</uax:UInt32> </uax:ArrayDimensions> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>5</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </FinishRequest> </ServiceName_Placeholder> </KeyCredentialManagementFolderType> <KeyCredentialManagement xmlns="path_to_url"> <uax:NodeClass>Object_1</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1008</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>KeyCredentialManagement</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=55</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>1008</uax:NumericId> <uax:References> <uax:Reference> <uax:ReferenceTypeId> <uax:Identifier>i=35</uax:Identifier> </uax:ReferenceTypeId> <uax:IsInverse>true</uax:IsInverse> <uax:TargetId> <uax:Identifier>i=85</uax:Identifier> </uax:TargetId> </uax:Reference> </uax:References> </KeyCredentialManagement> <KeyCredentialServiceType xmlns="path_to_url"> <uax:NodeClass>ObjectType_8</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1020</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>KeyCredentialServiceType</uax:Name> </uax:BrowseName> <uax:SuperTypeId> <uax:Identifier>i=58</uax:Identifier> </uax:SuperTypeId> <ResourceUri> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1021</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>ResourceUri</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>1021</uax:NumericId> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </ResourceUri> <ProfileUris> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1022</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>ProfileUris</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>1022</uax:NumericId> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>0</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </ProfileUris> <SecurityPolicyUris> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=495</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>SecurityPolicyUris</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=80</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>495</uax:NumericId> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>0</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </SecurityPolicyUris> <StartRequest> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1023</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>StartRequest</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=1023</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>1023</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1024</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>1024</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationUri</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>PublicKey</uax:Name> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>SecurityPolicyUri</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>RequestedRoles</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions> <uax:UInt32>0</uax:UInt32> </uax:ArrayDimensions> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>4</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1025</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>1025</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>RequestId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </StartRequest> <FinishRequest> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1026</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>FinishRequest</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=1026</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>1026</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1027</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>1027</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>RequestId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>CancelRequest</uax:Name> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1028</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>1028</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>CredentialId</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>CredentialSecret</uax:Name> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>CertificateThumbprint</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>SecurityPolicyUri</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>GrantedRoles</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions> <uax:UInt32>0</uax:UInt32> </uax:ArrayDimensions> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>5</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </FinishRequest> <Revoke> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1029</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>Revoke</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=1029</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=80</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>1029</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1030</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>1030</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>CredentialId</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </Revoke> </KeyCredentialServiceType> <KeyCredentialRequestedAuditEventType xmlns="path_to_url"> <uax:NodeClass>ObjectType_8</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1039</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>KeyCredentialRequestedAuditEventType</uax:Name> </uax:BrowseName> <uax:SuperTypeId> <uax:Identifier>i=18011</uax:Identifier> </uax:SuperTypeId> </KeyCredentialRequestedAuditEventType> <KeyCredentialDeliveredAuditEventType xmlns="path_to_url"> <uax:NodeClass>ObjectType_8</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1057</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>KeyCredentialDeliveredAuditEventType</uax:Name> </uax:BrowseName> <uax:SuperTypeId> <uax:Identifier>i=18011</uax:Identifier> </uax:SuperTypeId> </KeyCredentialDeliveredAuditEventType> <KeyCredentialRevokedAuditEventType xmlns="path_to_url"> <uax:NodeClass>ObjectType_8</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1075</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>KeyCredentialRevokedAuditEventType</uax:Name> </uax:BrowseName> <uax:SuperTypeId> <uax:Identifier>i=18011</uax:Identifier> </uax:SuperTypeId> </KeyCredentialRevokedAuditEventType> <AuthorizationServicesFolderType xmlns="path_to_url"> <uax:NodeClass>ObjectType_8</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=233</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>AuthorizationServicesFolderType</uax:Name> </uax:BrowseName> <uax:SuperTypeId> <uax:Identifier>i=61</uax:Identifier> </uax:SuperTypeId> <ServiceName_Placeholder> <uax:NodeClass>Object_1</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=234</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>&lt;ServiceName&gt;</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=35</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=966</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=11508</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>234</uax:NumericId> <ServiceUri> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=235</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>ServiceUri</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>235</uax:NumericId> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </ServiceUri> <ServiceCertificate> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=236</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>ServiceCertificate</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>236</uax:NumericId> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </ServiceCertificate> <GetServiceDescription> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=238</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>GetServiceDescription</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=1004</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>238</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=239</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>239</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ServiceUri</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ServiceCertificate</uax:Name> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>UserTokenPolicies</uax:Name> <uax:DataType> <uax:Identifier>i=304</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions> <uax:UInt32>0</uax:UInt32> </uax:ArrayDimensions> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>3</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </GetServiceDescription> </ServiceName_Placeholder> </AuthorizationServicesFolderType> <AuthorizationServices xmlns="path_to_url"> <uax:NodeClass>Object_1</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=959</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>AuthorizationServices</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=233</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>959</uax:NumericId> <uax:References> <uax:Reference> <uax:ReferenceTypeId> <uax:Identifier>i=35</uax:Identifier> </uax:ReferenceTypeId> <uax:IsInverse>true</uax:IsInverse> <uax:TargetId> <uax:Identifier>i=85</uax:Identifier> </uax:TargetId> </uax:Reference> </uax:References> </AuthorizationServices> <AuthorizationServiceType xmlns="path_to_url"> <uax:NodeClass>ObjectType_8</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=966</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>AuthorizationServiceType</uax:Name> </uax:BrowseName> <uax:SuperTypeId> <uax:Identifier>i=58</uax:Identifier> </uax:SuperTypeId> <ServiceUri> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1003</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>ServiceUri</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>1003</uax:NumericId> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </ServiceUri> <ServiceCertificate> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=968</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>ServiceCertificate</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>968</uax:NumericId> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </ServiceCertificate> <UserTokenPolicies> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=967</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>UserTokenPolicies</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=80</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>967</uax:NumericId> <uax:DataType> <uax:Identifier>i=304</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>0</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </UserTokenPolicies> <GetServiceDescription> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1004</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>GetServiceDescription</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=1004</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>1004</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=1005</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>1005</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ServiceUri</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ServiceCertificate</uax:Name> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>UserTokenPolicies</uax:Name> <uax:DataType> <uax:Identifier>i=304</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions> <uax:UInt32>0</uax:UInt32> </uax:ArrayDimensions> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>3</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </GetServiceDescription> <RequestAccessToken> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=969</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>RequestAccessToken</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=969</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=80</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>969</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=970</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>970</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>IdentityToken</uax:Name> <uax:DataType> <uax:Identifier>i=316</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ResourceId</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=971</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:ModellingRuleId> <uax:Identifier>i=78</uax:Identifier> </uax:ModellingRuleId> <uax:NumericId>971</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>AccessToken</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </RequestAccessToken> </AuthorizationServiceType> <AccessTokenIssuedAuditEventType xmlns="path_to_url"> <uax:NodeClass>ObjectType_8</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=975</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>AccessTokenIssuedAuditEventType</uax:Name> </uax:BrowseName> <uax:SuperTypeId> <uax:Identifier>i=2127</uax:Identifier> </uax:SuperTypeId> <uax:IsAbstract>true</uax:IsAbstract> </AccessTokenIssuedAuditEventType> <Directory xmlns="path_to_url"> <uax:NodeClass>Object_1</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=141</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>Directory</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=63</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>141</uax:NumericId> <uax:References> <uax:Reference> <uax:ReferenceTypeId> <uax:Identifier>i=35</uax:Identifier> </uax:ReferenceTypeId> <uax:IsInverse>true</uax:IsInverse> <uax:TargetId> <uax:Identifier>i=85</uax:Identifier> </uax:TargetId> </uax:Reference> </uax:References> <Applications> <uax:NodeClass>Object_1</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=142</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>Applications</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=61</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>142</uax:NumericId> </Applications> <FindApplications> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=143</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>FindApplications</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=15</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>143</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=144</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>144</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationUri</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=145</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>145</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Applications</uax:Name> <uax:DataType> <uax:Identifier>ns=1;i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions> <uax:UInt32>0</uax:UInt32> </uax:ArrayDimensions> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </FindApplications> <RegisterApplication> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=146</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>RegisterApplication</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=18</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>146</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=147</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>147</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Application</uax:Name> <uax:DataType> <uax:Identifier>ns=1;i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=148</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>148</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </RegisterApplication> <UpdateApplication> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=200</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>UpdateApplication</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=188</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>200</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=201</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>201</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Application</uax:Name> <uax:DataType> <uax:Identifier>ns=1;i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </UpdateApplication> <UnregisterApplication> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=149</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>UnregisterApplication</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=21</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>149</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=150</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>150</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </UnregisterApplication> <GetApplication> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=216</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>GetApplication</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=210</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>216</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=217</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>217</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=218</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>218</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Application</uax:Name> <uax:DataType> <uax:Identifier>ns=1;i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </GetApplication> <QueryApplications> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=992</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>QueryApplications</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=868</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>992</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=993</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>993</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>StartingRecordId</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>MaxRecordsToReturn</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationName</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationUri</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationType</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ProductUri</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Capabilities</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions> <uax:UInt32>0</uax:UInt32> </uax:ArrayDimensions> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>7</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=994</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>994</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>LastCounterResetTime</uax:Name> <uax:DataType> <uax:Identifier>i=294</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>NextRecordId</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Applications</uax:Name> <uax:DataType> <uax:Identifier>i=308</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions> <uax:UInt32>0</uax:UInt32> </uax:ArrayDimensions> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>3</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </QueryApplications> <QueryServers> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=151</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>QueryServers</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=23</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>151</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=152</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>152</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>StartingRecordId</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>MaxRecordsToReturn</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationName</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationUri</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ProductUri</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ServerCapabilities</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions> <uax:UInt32>0</uax:UInt32> </uax:ArrayDimensions> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>6</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=153</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>153</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>LastCounterResetTime</uax:Name> <uax:DataType> <uax:Identifier>i=294</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Servers</uax:Name> <uax:DataType> <uax:Identifier>i=12189</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions> <uax:UInt32>0</uax:UInt32> </uax:ArrayDimensions> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </QueryServers> <CertificateGroups> <uax:NodeClass>Object_1</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=614</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>CertificateGroups</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=13813</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>614</uax:NumericId> <DefaultApplicationGroup> <uax:NodeClass>Object_1</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=615</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>DefaultApplicationGroup</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=12555</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>615</uax:NumericId> <uax:References> <uax:Reference> <uax:ReferenceTypeId> <uax:Identifier>i=9006</uax:Identifier> </uax:ReferenceTypeId> <uax:TargetId> <uax:Identifier>i=13225</uax:Identifier> </uax:TargetId> </uax:Reference> </uax:References> <TrustList xmlns="path_to_url"> <uax:NodeClass>Object_1</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=616</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>TrustList</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=12522</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>616</uax:NumericId> <Size> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=617</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Size</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>617</uax:NumericId> <uax:DataType> <uax:Identifier>i=9</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </Size> <Writable> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=618</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Writable</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>618</uax:NumericId> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </Writable> <UserWritable> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=619</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>UserWritable</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>619</uax:NumericId> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </UserWritable> <OpenCount> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=620</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OpenCount</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>620</uax:NumericId> <uax:DataType> <uax:Identifier>i=5</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OpenCount> <Open> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=622</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Open</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=11580</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>622</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=623</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>623</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Mode</uax:Name> <uax:DataType> <uax:Identifier>i=3</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=624</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>624</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </Open> <Close> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=625</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Close</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=11583</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>625</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=626</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>626</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </Close> <Read> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=627</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Read</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=11585</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>627</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=628</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>628</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Length</uax:Name> <uax:DataType> <uax:Identifier>i=6</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=629</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>629</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Data</uax:Name> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </Read> <Write> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=630</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Write</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=11588</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>630</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=631</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>631</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Data</uax:Name> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </Write> <GetPosition> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=632</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>GetPosition</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=11590</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>632</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=633</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>633</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=634</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>634</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Position</uax:Name> <uax:DataType> <uax:Identifier>i=9</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </GetPosition> <SetPosition> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=635</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>SetPosition</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=11593</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>635</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=636</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>636</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Position</uax:Name> <uax:DataType> <uax:Identifier>i=9</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </SetPosition> <LastUpdateTime> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=637</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>LastUpdateTime</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>637</uax:NumericId> <uax:DataType> <uax:Identifier>i=294</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </LastUpdateTime> <OpenWithMasks> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=638</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OpenWithMasks</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=12543</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>638</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=639</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>639</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Masks</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=640</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>640</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </OpenWithMasks> <CloseAndUpdate> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=641</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>CloseAndUpdate</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=12546</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>641</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=642</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>642</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=643</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>643</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplyChangesRequired</uax:Name> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </CloseAndUpdate> <AddCertificate> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=644</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>AddCertificate</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=12548</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>644</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=645</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>645</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Certificate</uax:Name> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>IsTrustedCertificate</uax:Name> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </AddCertificate> <RemoveCertificate> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=646</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>RemoveCertificate</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=12550</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>646</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=647</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>647</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Thumbprint</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>IsTrustedCertificate</uax:Name> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </RemoveCertificate> </TrustList> <CertificateTypes xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=648</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>CertificateTypes</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>648</uax:NumericId> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>0</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </CertificateTypes> </DefaultApplicationGroup> <DefaultHttpsGroup> <uax:NodeClass>Object_1</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=649</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>DefaultHttpsGroup</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=12555</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>649</uax:NumericId> <uax:References> <uax:Reference> <uax:ReferenceTypeId> <uax:Identifier>i=9006</uax:Identifier> </uax:ReferenceTypeId> <uax:TargetId> <uax:Identifier>i=13225</uax:Identifier> </uax:TargetId> </uax:Reference> </uax:References> <TrustList xmlns="path_to_url"> <uax:NodeClass>Object_1</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=650</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>TrustList</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=12522</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>650</uax:NumericId> <Size> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=651</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Size</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>651</uax:NumericId> <uax:DataType> <uax:Identifier>i=9</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </Size> <Writable> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=652</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Writable</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>652</uax:NumericId> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </Writable> <UserWritable> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=653</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>UserWritable</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>653</uax:NumericId> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </UserWritable> <OpenCount> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=654</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OpenCount</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>654</uax:NumericId> <uax:DataType> <uax:Identifier>i=5</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OpenCount> <Open> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=656</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Open</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=11580</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>656</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=657</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>657</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Mode</uax:Name> <uax:DataType> <uax:Identifier>i=3</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=658</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>658</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </Open> <Close> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=659</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Close</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=11583</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>659</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=660</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>660</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </Close> <Read> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=661</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Read</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=11585</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>661</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=662</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>662</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Length</uax:Name> <uax:DataType> <uax:Identifier>i=6</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=663</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>663</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Data</uax:Name> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </Read> <Write> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=664</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Write</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=11588</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>664</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=665</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>665</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Data</uax:Name> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </Write> <GetPosition> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=666</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>GetPosition</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=11590</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>666</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=667</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>667</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=668</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>668</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Position</uax:Name> <uax:DataType> <uax:Identifier>i=9</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </GetPosition> <SetPosition> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=669</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>SetPosition</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=11593</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>669</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=670</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>670</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Position</uax:Name> <uax:DataType> <uax:Identifier>i=9</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </SetPosition> <LastUpdateTime> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=671</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>LastUpdateTime</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>671</uax:NumericId> <uax:DataType> <uax:Identifier>i=294</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </LastUpdateTime> <OpenWithMasks> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=672</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OpenWithMasks</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=12543</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>672</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=673</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>673</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Masks</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=674</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>674</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </OpenWithMasks> <CloseAndUpdate> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=675</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>CloseAndUpdate</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=12546</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>675</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=676</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>676</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=677</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>677</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplyChangesRequired</uax:Name> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </CloseAndUpdate> <AddCertificate> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=678</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>AddCertificate</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=12548</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>678</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=679</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>679</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Certificate</uax:Name> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>IsTrustedCertificate</uax:Name> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </AddCertificate> <RemoveCertificate> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=680</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>RemoveCertificate</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=12550</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>680</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=681</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>681</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Thumbprint</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>IsTrustedCertificate</uax:Name> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </RemoveCertificate> </TrustList> <CertificateTypes xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=682</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>CertificateTypes</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>682</uax:NumericId> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>0</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </CertificateTypes> </DefaultHttpsGroup> <DefaultUserTokenGroup> <uax:NodeClass>Object_1</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=683</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>DefaultUserTokenGroup</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=12555</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>683</uax:NumericId> <uax:References> <uax:Reference> <uax:ReferenceTypeId> <uax:Identifier>i=9006</uax:Identifier> </uax:ReferenceTypeId> <uax:TargetId> <uax:Identifier>i=13225</uax:Identifier> </uax:TargetId> </uax:Reference> </uax:References> <TrustList xmlns="path_to_url"> <uax:NodeClass>Object_1</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=684</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>TrustList</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=12522</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>684</uax:NumericId> <Size> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=685</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Size</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>685</uax:NumericId> <uax:DataType> <uax:Identifier>i=9</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </Size> <Writable> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=686</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Writable</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>686</uax:NumericId> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </Writable> <UserWritable> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=687</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>UserWritable</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>687</uax:NumericId> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </UserWritable> <OpenCount> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=688</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OpenCount</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>688</uax:NumericId> <uax:DataType> <uax:Identifier>i=5</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OpenCount> <Open> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=690</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Open</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=11580</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>690</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=691</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>691</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Mode</uax:Name> <uax:DataType> <uax:Identifier>i=3</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=692</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>692</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </Open> <Close> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=693</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Close</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=11583</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>693</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=694</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>694</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </Close> <Read> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=695</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Read</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=11585</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>695</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=696</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>696</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Length</uax:Name> <uax:DataType> <uax:Identifier>i=6</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=697</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>697</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Data</uax:Name> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </Read> <Write> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=698</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Write</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=11588</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>698</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=699</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>699</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Data</uax:Name> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </Write> <GetPosition> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=700</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>GetPosition</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=11590</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>700</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=701</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>701</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=702</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>702</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Position</uax:Name> <uax:DataType> <uax:Identifier>i=9</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </GetPosition> <SetPosition> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=703</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>SetPosition</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=11593</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>703</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=704</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>704</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Position</uax:Name> <uax:DataType> <uax:Identifier>i=9</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </SetPosition> <LastUpdateTime> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=705</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>LastUpdateTime</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>705</uax:NumericId> <uax:DataType> <uax:Identifier>i=294</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </LastUpdateTime> <OpenWithMasks> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=706</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OpenWithMasks</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=12543</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>706</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=707</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>707</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Masks</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=708</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>708</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </OpenWithMasks> <CloseAndUpdate> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=709</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>CloseAndUpdate</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=12546</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>709</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=710</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>710</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>FileHandle</uax:Name> <uax:DataType> <uax:Identifier>i=7</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=711</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>711</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplyChangesRequired</uax:Name> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </CloseAndUpdate> <AddCertificate> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=712</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>AddCertificate</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=12548</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>712</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=713</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>713</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Certificate</uax:Name> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>IsTrustedCertificate</uax:Name> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </AddCertificate> <RemoveCertificate> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=714</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>RemoveCertificate</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=12550</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>714</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=715</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>715</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Thumbprint</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>IsTrustedCertificate</uax:Name> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> </RemoveCertificate> </TrustList> <CertificateTypes xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=716</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>CertificateTypes</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>716</uax:NumericId> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>0</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </CertificateTypes> </DefaultUserTokenGroup> </CertificateGroups> <StartSigningRequest> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=157</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>StartSigningRequest</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=79</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>157</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=158</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>158</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>CertificateGroupId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>CertificateTypeId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>CertificateRequest</uax:Name> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>4</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=159</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>159</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>RequestId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </StartSigningRequest> <StartNewKeyPairRequest> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=154</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>StartNewKeyPairRequest</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=76</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>154</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=155</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>155</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>CertificateGroupId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>CertificateTypeId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>SubjectName</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>DomainNames</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions> <uax:UInt32>0</uax:UInt32> </uax:ArrayDimensions> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>PrivateKeyFormat</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>PrivateKeyPassword</uax:Name> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>7</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=156</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>156</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>RequestId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </StartNewKeyPairRequest> <FinishRequest> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=163</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>FinishRequest</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=85</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>163</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=164</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>164</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>RequestId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=165</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>165</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>Certificate</uax:Name> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>PrivateKey</uax:Name> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>IssuerCertificates</uax:Name> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions> <uax:UInt32>0</uax:UInt32> </uax:ArrayDimensions> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>3</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </FinishRequest> <GetCertificateGroups> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=508</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>GetCertificateGroups</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=369</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>508</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=509</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>509</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=510</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>510</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>CertificateGroupIds</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions> <uax:UInt32>0</uax:UInt32> </uax:ArrayDimensions> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </GetCertificateGroups> <GetTrustList> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=204</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>GetTrustList</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=197</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>204</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=205</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>205</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>CertificateGroupId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>2</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=206</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>206</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>TrustListId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </GetTrustList> <GetCertificateStatus> <uax:NodeClass>Method_4</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=225</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>GetCertificateStatus</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>ns=1;i=222</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>225</uax:NumericId> <uax:Executable>true</uax:Executable> <uax:UserExecutable>true</uax:UserExecutable> <InputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=226</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>InputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>226</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>ApplicationId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>CertificateGroupId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>CertificateTypeId</uax:Name> <uax:DataType> <uax:Identifier>i=17</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>3</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </InputArguments> <OutputArguments xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=227</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>OutputArguments</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>227</uax:NumericId> <uax:Value> <uax:Value> <uax:ListOfExtensionObject> <uax:ExtensionObject> <uax:TypeId> <uax:Identifier>i=297</uax:Identifier> </uax:TypeId> <uax:Body> <uax:Argument> <uax:Name>UpdateRequired</uax:Name> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:ArrayDimensions /> </uax:Argument> </uax:Body> </uax:ExtensionObject> </uax:ListOfExtensionObject> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=296</uax:Identifier> </uax:DataType> <uax:ValueRank>1</uax:ValueRank> <uax:ArrayDimensions>1</uax:ArrayDimensions> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </OutputArguments> </GetCertificateStatus> </Directory> <DefaultBinary xmlns="path_to_url"> <uax:NodeClass>Object_1</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=134</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Default Binary</uax:Name> </uax:BrowseName> <uax:TypeDefinitionId> <uax:Identifier>i=76</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>134</uax:NumericId> <uax:References> <uax:Reference> <uax:ReferenceTypeId> <uax:Identifier>i=38</uax:Identifier> </uax:ReferenceTypeId> <uax:IsInverse>true</uax:IsInverse> <uax:TargetId> <uax:Identifier>ns=1;i=1</uax:Identifier> </uax:TargetId> </uax:Reference> <uax:Reference> <uax:ReferenceTypeId> <uax:Identifier>i=39</uax:Identifier> </uax:ReferenceTypeId> <uax:TargetId> <uax:Identifier>ns=1;i=138</uax:Identifier> </uax:TargetId> </uax:Reference> </uax:References> </DefaultBinary> <OpcUaGds_BinarySchema xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=135</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>Opc.Ua.Gds</uax:Name> </uax:BrowseName> <uax:TypeDefinitionId> <uax:Identifier>i=72</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>135</uax:NumericId> <uax:Value> <uax:Value> <uax:ByteString>your_sha256_hashZGF0aW9uLm9y your_sha256_hashLzIwMDEvWE1M your_sha256_hashb24ub3JnL1VB your_sha256_hashLyINCiAgRGVm your_sha256_hashImh0dHA6Ly9v your_sha256_hashc3BhY2U9Imh0 your_sha256_hashYXJ5U2NoZW1h your_sha256_hashb25SZWNvcmRE YXRhVHlwZSIgQmFzZVR5cGU9InVhOkV4dGVuc2lvbk9iamVjdCI+DQogICAgPG9wYzpGaWVsZCBO your_sha256_hashIDxvcGM6Rmll your_sha256_hashPg0KICAgIDxv your_sha256_hashbGljYXRpb25U your_sha256_hashZXMiIFR5cGVO YW1lPSJvcGM6SW50MzIiIC8+DQogICAgPG9wYzpGaWVsZCBOYW1lPSJBcHBsaWNhdGlvbk5hbWVz your_sha256_hashcHBsaWNhdGlv your_sha256_hashZU5hbWU9Im9w YzpTdHJpbmciIC8+DQogICAgPG9wYzpGaWVsZCBOYW1lPSJOb09mRGlzY292ZXJ5VXJscyIgVHlw your_sha256_hashdmVyeVVybHMi your_sha256_hasheVVybHMiIC8+ your_sha256_hasheXBlTmFtZT0i your_sha256_hashbGl0aWVzIiBU your_sha256_hashYmlsaXRpZXMi IC8+your_sha256_hasheT4=</uax:ByteString> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> <uax:References> <uax:Reference> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:IsInverse>true</uax:IsInverse> <uax:TargetId> <uax:Identifier>i=93</uax:Identifier> </uax:TargetId> </uax:Reference> </uax:References> <NamespaceUri xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=137</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>NamespaceUri</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>137</uax:NumericId> <uax:Value> <uax:Value> <uax:String>path_to_url </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </NamespaceUri> <Deprecated xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=8002</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Deprecated</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>8002</uax:NumericId> <uax:Value> <uax:Value> <uax:Boolean>true</uax:Boolean> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </Deprecated> <ApplicationRecordDataType> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=138</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>ApplicationRecordDataType</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=69</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>138</uax:NumericId> <uax:Value> <uax:Value> <uax:String>ApplicationRecordDataType</uax:String> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </ApplicationRecordDataType> </OpcUaGds_BinarySchema> <DefaultXml xmlns="path_to_url"> <uax:NodeClass>Object_1</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=127</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Default XML</uax:Name> </uax:BrowseName> <uax:TypeDefinitionId> <uax:Identifier>i=76</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>127</uax:NumericId> <uax:References> <uax:Reference> <uax:ReferenceTypeId> <uax:Identifier>i=38</uax:Identifier> </uax:ReferenceTypeId> <uax:IsInverse>true</uax:IsInverse> <uax:TargetId> <uax:Identifier>ns=1;i=1</uax:Identifier> </uax:TargetId> </uax:Reference> <uax:Reference> <uax:ReferenceTypeId> <uax:Identifier>i=39</uax:Identifier> </uax:ReferenceTypeId> <uax:TargetId> <uax:Identifier>ns=1;i=131</uax:Identifier> </uax:TargetId> </uax:Reference> </uax:References> </DefaultXml> <OpcUaGds_XmlSchema xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=128</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>Opc.Ua.Gds</uax:Name> </uax:BrowseName> <uax:TypeDefinitionId> <uax:Identifier>i=72</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>128</uax:NumericId> <uax:Value> <uax:Value> <uax:ByteString>your_sha256_hashTUxTY2hlbWEi your_sha256_hashMi9UeXBlcy54 your_sha256_hashUy9UeXBlcy54 your_sha256_hashL1VBL0dEUy9U your_sha256_hashICA8eHM6YW5u your_sha256_hashbFVyaT0iaHR0 your_sha256_hashIFB1YmxpY2F0 aW9uRGF0ZT0iMjAyMy0xMi0xNVQwMDowMDowMFoiIC8+DQogICAgPC94czphcHBpbmZvPg0KICA8 L3hzOmFubm90YXRpb24+DQogIA0KICA8eHM6aW1wb3J0IG5hbWVzcGFjZT0iaHR0cDovL29wY2Zv your_sha256_hashb21wbGV4VHlw your_sha256_hashdWVuY2U+DQog your_sha256_hashb2RlSWQiIG1p bk9jY3Vycz0iMCIgbmlsbGFibGU9InRydWUiIC8+DQogICAgICA8eHM6ZWxlbWVudCBuYW1lPSJB your_sha256_hashbGxhYmxlPSJ0 your_sha256_hashIiB0eXBlPSJ1 your_sha256_hashbGVtZW50IG5h your_sha256_hasheHQiIG1pbk9j Y3Vycz0iMCIgbmlsbGFibGU9InRydWUiIC8+DQogICAgICA8eHM6ZWxlbWVudCBuYW1lPSJQcm9k your_sha256_hashInRydWUiIC8+ your_sha256_hashYTpMaXN0T2ZT dHJpbmciIG1pbk9jY3Vycz0iMCIgbmlsbGFibGU9InRydWUiIC8+DQogICAgICA8eHM6ZWxlbWVu your_sha256_hashZyIgbWluT2Nj your_sha256_hashICA8L3hzOmNv your_sha256_hashZERhdGFUeXBl your_sha256_hasheHM6Y29tcGxl eFR5cGUgbmFtZT0iTGlzdE9mQXBwbGljYXRpb25SZWNvcmREYXRhVHlwZSI+DQogICAgPHhzOnNl your_sha256_hashcmREYXRhVHlw your_sha256_hashcz0iMCIgbWF4 your_sha256_hashc2VxdWVuY2U+ DQogIDwveHM6Y29tcGxleFR5cGU+DQogIDx4czplbGVtZW50IG5hbWU9Ikxpc3RPZkFwcGxpY2F0 your_sha256_hashY29yZERhdGFU eXBlIiBuaWxsYWJsZT0idHJ1ZSI+PC94czplbGVtZW50Pg0KDQo8L3hzOnNjaGVtYT4=</uax:ByteString> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=15</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> <uax:References> <uax:Reference> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:IsInverse>true</uax:IsInverse> <uax:TargetId> <uax:Identifier>i=92</uax:Identifier> </uax:TargetId> </uax:Reference> </uax:References> <NamespaceUri xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=130</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>NamespaceUri</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>130</uax:NumericId> <uax:Value> <uax:Value> <uax:String>path_to_url </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </NamespaceUri> <Deprecated xmlns="path_to_url"> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=8004</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Deprecated</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=46</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=68</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>8004</uax:NumericId> <uax:Value> <uax:Value> <uax:Boolean>true</uax:Boolean> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=1</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </Deprecated> <ApplicationRecordDataType> <uax:NodeClass>Variable_2</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=131</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>1</uax:NamespaceIndex> <uax:Name>ApplicationRecordDataType</uax:Name> </uax:BrowseName> <uax:ReferenceTypeId> <uax:Identifier>i=47</uax:Identifier> </uax:ReferenceTypeId> <uax:TypeDefinitionId> <uax:Identifier>i=69</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>131</uax:NumericId> <uax:Value> <uax:Value> <uax:String>//xs:element[@name='ApplicationRecordDataType']</uax:String> </uax:Value> </uax:Value> <uax:DataType> <uax:Identifier>i=12</uax:Identifier> </uax:DataType> <uax:ValueRank>-1</uax:ValueRank> <uax:AccessLevel>1</uax:AccessLevel> <uax:UserAccessLevel>1</uax:UserAccessLevel> </ApplicationRecordDataType> </OpcUaGds_XmlSchema> <DefaultJson xmlns="path_to_url"> <uax:NodeClass>Object_1</uax:NodeClass> <uax:NodeId> <uax:Identifier>ns=1;i=8001</uax:Identifier> </uax:NodeId> <uax:BrowseName> <uax:NamespaceIndex>0</uax:NamespaceIndex> <uax:Name>Default JSON</uax:Name> </uax:BrowseName> <uax:TypeDefinitionId> <uax:Identifier>i=76</uax:Identifier> </uax:TypeDefinitionId> <uax:NumericId>8001</uax:NumericId> <uax:References> <uax:Reference> <uax:ReferenceTypeId> <uax:Identifier>i=38</uax:Identifier> </uax:ReferenceTypeId> <uax:IsInverse>true</uax:IsInverse> <uax:TargetId> <uax:Identifier>ns=1;i=1</uax:Identifier> </uax:TargetId> </uax:Reference> </uax:References> </DefaultJson> </uax:ListOfNodeState> ```
/content/code_sandbox/Libraries/Opc.Ua.Gds.Server.Common/Model/Opc.Ua.Gds.PredefinedNodes.xml
xml
2016-02-12T14:57:06
2024-08-13T10:24:27
UA-.NETStandard
OPCFoundation/UA-.NETStandard
1,910
150,994
```xml <?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="path_to_url" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="ja" original="../LocalizableStrings.resx"> <body> <trans-unit id="PackageIdArgumentDescription"> <source>The workload ID(s) to uninstall.</source> <target state="translated"> ID</target> <note /> </trans-unit> <trans-unit id="CommandDescription"> <source>Uninstall one or more workloads.</source> <target state="translated">1 </target> <note /> </trans-unit> <trans-unit id="PackageIdArgumentName"> <source>WORKLOAD_ID</source> <target state="translated">WORKLOAD_ID</target> <note /> </trans-unit> <trans-unit id="RemovingWorkloadInstallationRecord"> <source>Removing workload installation record for {0}...</source> <target state="translated">{0} ...</target> <note /> </trans-unit> <trans-unit id="SpecifyExactlyOnePackageId"> <source>Specify one workload ID to uninstall.</source> <target state="translated"> ID 1 </target> <note /> </trans-unit> <trans-unit id="UninstallSucceeded"> <source>Successfully uninstalled workload(s): {0}</source> <target state="translated"> {0} </target> <note /> </trans-unit> <trans-unit id="WorkloadNotInstalled"> <source>Couldn't find workload ID(s): {0}</source> <target state="translated"> ID : {0}</target> <note /> </trans-unit> <trans-unit id="WorkloadUninstallFailed"> <source>Workload uninstallation failed: {0}</source> <target state="translated"> {0} </target> <note /> </trans-unit> </body> </file> </xliff> ```
/content/code_sandbox/src/Cli/dotnet/commands/dotnet-workload/uninstall/xlf/LocalizableStrings.ja.xlf
xml
2016-07-22T21:26:02
2024-08-16T17:23:58
sdk
dotnet/sdk
2,627
499
```xml import { Observable, concatMap, filter } from "rxjs"; import { LogService } from "@bitwarden/common/platform/abstractions/log.service"; import { CommandDefinition, MessageListener, MessageSender, isExternalMessage, } from "@bitwarden/common/platform/messaging"; import { SyncService } from "@bitwarden/common/vault/abstractions/sync/sync.service.abstraction"; import { DO_FULL_SYNC } from "./foreground-sync.service"; export type FullSyncFinishedMessage = { successfully: boolean; errorMessage: string; requestId: string; }; export const FULL_SYNC_FINISHED = new CommandDefinition<FullSyncFinishedMessage>( "fullSyncFinished", ); export class SyncServiceListener { constructor( private readonly syncService: SyncService, private readonly messageListener: MessageListener, private readonly messageSender: MessageSender, private readonly logService: LogService, ) {} listener$(): Observable<void> { return this.messageListener.messages$(DO_FULL_SYNC).pipe( filter((message) => isExternalMessage(message)), concatMap(async ({ forceSync, allowThrowOnError, requestId }) => { await this.doFullSync(forceSync, allowThrowOnError, requestId); }), ); } private async doFullSync(forceSync: boolean, allowThrowOnError: boolean, requestId: string) { try { const result = await this.syncService.fullSync(forceSync, allowThrowOnError); this.messageSender.send(FULL_SYNC_FINISHED, { successfully: result, errorMessage: null, requestId, }); } catch (err) { this.logService.warning("Error while doing full sync in SyncServiceListener", err); this.messageSender.send(FULL_SYNC_FINISHED, { successfully: false, errorMessage: err?.message ?? "Unknown Sync Error", requestId, }); } } } ```
/content/code_sandbox/apps/browser/src/platform/sync/sync-service.listener.ts
xml
2016-03-09T23:14:01
2024-08-16T15:07:51
clients
bitwarden/clients
8,877
395
```xml import { get } from "lodash"; import sinon, { SinonStub } from "sinon"; import { pureMerge } from "coral-common/common/lib/utils"; import { act, createAccessToken, wait, waitForElement, within, } from "coral-framework/testHelpers"; import create from "./create"; import { settings } from "./fixtures"; async function createTestRenderer( customResolver: any = {}, error: string | null = null ) { const resolvers = { ...customResolver, Query: { ...customResolver.Query, settings: sinon .stub() .returns(pureMerge(settings, get(customResolver, "Query.settings"))), }, }; const { testRenderer, context } = create({ // Set this to true, to see graphql responses. logNetwork: false, resolvers, initLocalState: (localRecord) => { localRecord.setValue("SIGN_IN", "view"); localRecord.setValue(error, "error"); }, }); return await act(async () => { const container = await waitForElement(() => within(testRenderer.root).getByTestID("signIn-container") ); const main = within(testRenderer.root).getByTestID(/.*-main/); const form = within(main).queryByType("form"); return { context, testRenderer, form, main, container, }; }); } it("renders sign in view with error", async () => { const error = "Social Login Error"; const { testRenderer, container } = await createTestRenderer({}, error); within(container).getByText(error); act(() => { within(testRenderer.root).getByText("Sign up").props.onClick({}); }); act(() => { within(testRenderer.root).getByText("Sign in").props.onClick({}); }); const container2 = await waitForElement(() => within(testRenderer.root).getByTestID("signIn-container") ); // Error shouldn't be there anymore. await wait(() => expect(within(container2).queryByText(error)).toBeNull()); }); it("shows error when submitting empty form", async () => { const { form, container } = await createTestRenderer(); act(() => { form!.props.onSubmit(); }); within(container).getAllByText("This field is required", { exact: false }); }); it("checks for invalid email", async () => { const { container, form } = await createTestRenderer(); const { getByLabelText } = within(form!); const emailAddressField = getByLabelText("Email address"); act(() => { emailAddressField.props.onChange({ target: { value: "invalid-email" } }); }); act(() => { form!.props.onSubmit(); }); within(container).getByText("Please enter a valid email address", { exact: false, }); }); it("accepts valid email", async () => { const { container, form } = await createTestRenderer(); const { getByLabelText } = within(form!); const emailAddressField = getByLabelText("Email address"); act(() => { emailAddressField.props.onChange({ target: { value: "hans@test.com" } }); }); act(() => { form!.props.onSubmit(); }); expect(() => within(container).getAllByText("Please enter a valid email address", { exact: false, }) ).toThrow(); }); it("shows server error", async () => { const { form, main, context } = await createTestRenderer(); const { getByLabelText } = within(form!); const emailAddressField = getByLabelText("Email address"); const passwordField = getByLabelText("Password"); const submitButton = form!.find( (i) => i.type === "button" && i.props.type === "submit" ); act(() => passwordField.props.onChange({ target: { value: "testtest" } })); act(() => emailAddressField.props.onChange({ target: { value: "hans@test.com" } }) ); const error = new Error("Server Error"); const restMock = sinon.mock(context.rest); restMock .expects("fetch") .withArgs("/auth/local", { method: "POST", body: { email: "hans@test.com", password: "testtest", }, }) .once() .throws(error); act(() => { form!.props.onSubmit(); }); expect(emailAddressField.props.disabled).toBe(true); expect(passwordField.props.disabled).toBe(true); expect(submitButton.props.disabled).toBe(true); await act(async () => { await wait(() => expect(submitButton.props.disabled).toBe(false)); }); within(main).getByText(error.message); restMock.verify(); }); it("submits form successfully", async () => { const { form, context } = await createTestRenderer(); const { getByLabelText } = within(form!); const accessToken = createAccessToken(); const emailAddressField = getByLabelText("Email address"); const passwordField = getByLabelText("Password"); const submitButton = form!.find( (i) => i.type === "button" && i.props.type === "submit" ); act(() => emailAddressField.props.onChange({ target: { value: "hans@test.com" } }) ); act(() => passwordField.props.onChange({ target: { value: "testtest" } })); const restMock = sinon.mock(context.rest); restMock .expects("fetch") .withArgs("/auth/local", { method: "POST", body: { email: "hans@test.com", password: "testtest", }, }) .once() .returns({ token: accessToken }); act(() => { form!.props.onSubmit(); }); expect(emailAddressField.props.disabled).toBe(true); expect(passwordField.props.disabled).toBe(true); expect(submitButton.props.disabled).toBe(true); await act(async () => { await wait(() => expect(submitButton.props.disabled).toBe(false)); }); // Wait for new session to start. await wait(() => expect((context.clearSession as SinonStub).calledWith(accessToken)).toBe( true ) ); restMock.verify(); }); describe("auth configuration", () => { it("renders all social login disabled", async () => { const { main } = await createTestRenderer({ Query: { settings: { auth: { integrations: { facebook: { enabled: false, }, google: { enabled: false, }, oidc: { enabled: false, }, }, }, }, }, }); const { queryByText } = within(main); expect(queryByText("facebook")).toBeNull(); expect(queryByText("google")).toBeNull(); expect(queryByText("oidc")).toBeNull(); }); it("renders all social login disabled for stream target", async () => { const { main } = await createTestRenderer({ Query: { settings: { auth: { integrations: { facebook: { enabled: true, targetFilter: { stream: false, }, }, google: { enabled: true, targetFilter: { stream: false, }, }, oidc: { enabled: true, targetFilter: { stream: false, }, }, }, }, }, }, }); const { queryByText } = within(main); expect(queryByText("facebook")).toBeNull(); expect(queryByText("google")).toBeNull(); expect(queryByText("oidc")).toBeNull(); }); }); ```
/content/code_sandbox/client/src/core/client/auth/test/signIn.spec.tsx
xml
2016-10-31T16:14:05
2024-08-06T16:15:57
talk
coralproject/talk
1,881
1,654
```xml import * as moment from "moment"; import { generateModels } from "./connectionResolver"; import { sendContactsMessage, sendCoreMessage, sendProductsMessage } from "./messageBroker"; const toMoney = value => { if (!value) { return "-"; } return new Intl.NumberFormat().format(value); }; const productsInfo = async ( subdomain, productData, isPrice = false, isSeries = false ) => { const productIds = productData.map(p => p.productId); const products = await sendProductsMessage({ subdomain, action: "productFind", data: { query: { _id: { $in: productIds } }, limit: productIds.length }, isRPC: true, defaultValue: [] }); const productById = {}; for (const product of products) { productById[product._id] = product; } let sumCount = 0; let content = `<table class='products-data'> <thead> <th></th> <th>Code</th> <th>Name</th> <th style="text-align: right;">Quantity</th> <th>Uom</th> </thead><tbody> `; let counter = 0; for (const pdata of productData) { counter += 1; const product = productById[pdata.productId]; sumCount += pdata.quantity; content += `<tr> <td>${counter}</td> <td>${product.code}</td> <td>${product.name}</td> <td style="text-align: right;">${pdata.quantity}</td> <td>${pdata.uom}</td> </tr>`; } content += `<tr> <td></td> <td></td> <td>:</td> <td style="text-align: right;">${toMoney(sumCount)}</td> <td></td> </tr></tbody></table>`; return content; }; export default { types: [ { type: "processes", label: "Processes", subTypes: ["income", "move", "outcome", "job"] } ], editorAttributes: async ({}) => { return [ { value: "startAt", name: "Start At" }, { value: "endAt", name: "End At" }, { value: "modifiedAt", name: "Modified At" }, { value: "createdBy", name: "Created By" }, { value: "description", name: "Description" }, { value: "appendix", name: "Appendix" }, { value: "seriesText", name: "Series Text" }, { value: "company", name: "Company" }, { value: "customer", name: "Customer" }, { value: "seriesBarcode", name: "Series Barcode" }, { value: "seriesQrcode", name: "Series QR code" }, { value: "spendBranch", name: "Spend Branch" }, { value: "spendDepartment", name: "Spend Department" }, { value: "receiptBranch", name: "Receipt Branch" }, { value: "receiptDepartment", name: "Receipt Department" }, { value: "assignedUser", name: "Assigned User" }, { value: "needProducts", name: "Need products" }, { value: "resultProducts", name: "Result products" }, { value: "spendProducts", name: "Spend products" }, { value: "receiptProducts", name: "Receipt products" }, { value: "spendProductsSeries", name: "Spend products with series" }, { value: "receiptProductsPrice", name: "Receipt products with price" } ]; }, replaceContent: async ({ subdomain, data: { performId, content } }) => { const models = await generateModels(subdomain); const results: string[] = []; const perform = await models.Performs.getPerform(performId); if ( content.includes("{{ seriesBarcode }}") || content.includes("{{ seriesQrcode }}") ) { results.push( '::heads::<script src="path_to_url"></script>' ); } if (content.includes("{{ seriesBarcode }}")) { results.push( '::heads::<script src="path_to_url"></script>' ); } if (content.includes("{{ seriesQrcode }}")) { results.push( '::heads::<script src="path_to_url"></script>' ); } let replacedContent = content; replacedContent = replacedContent.replace( "{{ startAt }}", moment(perform.startAt).format("YYYY-MM-DD HH:mm") ); replacedContent = replacedContent.replace( "{{ endAt }}", moment(perform.endAt).format("YYYY-MM-DD HH:mm") ); replacedContent = replacedContent.replace( "{{ modifiedAt }}", moment(perform.modifiedAt).format("YYYY-MM-DD HH:mm") ); replacedContent = replacedContent.replace( "{{ createdAt }}", moment(perform.createdAt).format("YYYY-MM-DD HH:mm") ); replacedContent = replacedContent.replace( "{{ description }}", perform.description || "" ); replacedContent = replacedContent.replace( "{{ appendix }}", perform.appendix || "" ); replacedContent = replacedContent.replace( "{{ seriesText }}", perform.series || "" ); if (replacedContent.includes("{{ spendBranch }}")) { let spendBranch: any; if (perform.inBranchId) { spendBranch = await sendCoreMessage({ subdomain, action: "branches.findOne", data: { _id: perform.inBranchId }, isRPC: true }); } if (spendBranch) { replacedContent = replacedContent.replace( /{{ spendBranch }}/g, `${spendBranch.code} - ${spendBranch.title}` ); } else { replacedContent = replacedContent.replace(/{{ spendBranch }}/g, ""); } } if (replacedContent.includes("{{ spendDepartment }}")) { let spendDepartment: any; if (perform.inDepartmentId) { spendDepartment = await sendCoreMessage({ subdomain, action: "departments.findOne", data: { _id: perform.inDepartmentId }, isRPC: true }); } if (spendDepartment) { replacedContent = replacedContent.replace( /{{ spendDepartment }}/g, `${spendDepartment.code} - ${spendDepartment.title}` ); } else { replacedContent = replacedContent.replace(/{{ spendDepartment }}/g, ""); } } if (replacedContent.includes("{{ receiptBranch }}")) { let receiptBranch: any; if (perform.outBranchId) { receiptBranch = await sendCoreMessage({ subdomain, action: "branches.findOne", data: { _id: perform.outBranchId }, isRPC: true }); } if (receiptBranch) { replacedContent = replacedContent.replace( /{{ receiptBranch }}/g, `${receiptBranch.code} - ${receiptBranch.title}` ); } else { replacedContent = replacedContent.replace(/{{ receiptBranch }}/g, ""); } } if (replacedContent.includes("{{ receiptDepartment }}")) { let receiptDepartment: any; if (perform.outDepartmentId) { receiptDepartment = await sendCoreMessage({ subdomain, action: "departments.findOne", data: { _id: perform.outDepartmentId }, isRPC: true }); } if (receiptDepartment) { replacedContent = replacedContent.replace( /{{ receiptDepartment }}/g, `${receiptDepartment.code} - ${receiptDepartment.title}` ); } else { replacedContent = replacedContent.replace( /{{ receiptDepartment }}/g, "" ); } } if (replacedContent.includes("{{ assignedUser }}")) { let assignedUser: any; if (perform.assignedUserIds.length) { assignedUser = await sendCoreMessage({ subdomain, action: "users.findOne", data: { _id: perform.assignedUserIds[0] }, isRPC: true }); } if (assignedUser) { replacedContent = replacedContent.replace( /{{ assignedUser }}/g, `${assignedUser.code} - ${assignedUser.title}` ); } else { replacedContent = replacedContent.replace(/{{ assignedUser }}/g, ""); } } if (replacedContent.includes(`{{ company }}`)) { if (perform.companyId) { const company = await sendContactsMessage({ subdomain, action: "companies.findOne", data: { _id: perform.companyId }, isRPC: true, defaultValue: {} }); replacedContent = replacedContent.replace( /{{ company }}/g, company?.primaryName || "" ); } else { replacedContent = replacedContent.replace(/{{ company }}/g, ""); } } if (replacedContent.includes(`{{ customer }}`)) { if (perform.customerId) { const customer = await sendContactsMessage({ subdomain, action: "customers.findOne", data: { _id: perform.customerId }, isRPC: true, defaultValue: {} }); replacedContent = replacedContent.replace( /{{ customer }}/g, customer?.firstName || "" ); } else { replacedContent = replacedContent.replace(/{{ customer }}/g, ""); } } if (content.includes("{{ seriesBarcode }}")) { let barcode = (perform as any).series || ""; const divid = barcode.replace(/\s+/g, ""); replacedContent = replacedContent.replace( "{{ seriesBarcode }}", ` <p style="text-align: center;"> <svg id="barcode${divid}"></svg> </p> <script> JsBarcode("#barcode${divid}", "${barcode}", { width: 1.5, height: 40, displayValue: false }); </script> ` ); } if (content.includes("{{ seriesQrcode }}")) { let qrcode = (perform as any).series || ""; replacedContent = replacedContent.replace( "{{ seriesQrcode }}", ` <p style="text-align: center;"> <canvas id="qrcode${qrcode}"></canvas> </p> <script> var canvas = document.getElementById("qrcode${qrcode}"); var ecl = qrcodegen.QrCode.Ecc.LOW; var text = '${qrcode}'; var segs = qrcodegen.QrSegment.makeSegments(text); // 1=min, 40=max, mask=7 var qr = qrcodegen.QrCode.encodeSegments(segs, ecl, 1, 40, 2, false); // 4=Scale, 1=border qr.drawCanvas(4, 0, canvas); // $("#qrcode${qrcode}").after('<img src="' + canvas.toDataURL() + '" />') </script> ` ); } replacedContent = replacedContent.replace( "{{ needProducts }}", await productsInfo(subdomain, perform.needProducts) ); replacedContent = replacedContent.replace( "{{ resultProducts }}", await productsInfo(subdomain, perform.resultProducts) ); replacedContent = replacedContent.replace( "{{ spendProducts }}", await productsInfo(subdomain, perform.inProducts) ); replacedContent = replacedContent.replace( "{{ receiptProducts }}", await productsInfo(subdomain, perform.outProducts) ); replacedContent = replacedContent.replace( "{{ spendProductsSeries }}", await productsInfo(subdomain, perform.inProducts, false, true) ); replacedContent = replacedContent.replace( "{{ receiptProductsPrice }}", await productsInfo(subdomain, perform.outProducts, true, false) ); results.push(replacedContent); results.push(`::styles:: .products-data tr td { border-bottom: 1px dashed #444; } `); return results; } }; ```
/content/code_sandbox/packages/plugin-processes-api/src/documents.ts
xml
2016-11-11T06:54:50
2024-08-16T10:26:06
erxes
erxes/erxes
3,479
2,667
```xml import { describe, expect, test } from 'vitest'; import * as api from './index'; describe('api', () => { test('api', () => { expect(Object.keys(api).sort()).toMatchSnapshot(); }); }); ```
/content/code_sandbox/packages/webview-api/src/index.test.ts
xml
2016-05-16T10:42:22
2024-08-16T02:29:06
vscode-spell-checker
streetsidesoftware/vscode-spell-checker
1,377
50
```xml /* eslint react/jsx-key: off */ import * as React from 'react'; import { Create, SimpleFormConfigurable, TextInput, required, TranslatableInputs, } from 'react-admin'; const TagCreate = () => ( <Create redirect="list"> <SimpleFormConfigurable> <TranslatableInputs locales={['en', 'fr']}> <TextInput source="name" validate={[required()]} /> </TranslatableInputs> </SimpleFormConfigurable> </Create> ); export default TagCreate; ```
/content/code_sandbox/examples/simple/src/tags/TagCreate.tsx
xml
2016-07-13T07:58:54
2024-08-16T18:32:27
react-admin
marmelab/react-admin
24,624
116
```xml <?xml version="1.0" encoding="utf-8"?> <Language Code="KO" Name="Korean"> <Text Key="ISO639-1">KO</Text> <Text Key="Ok"></Text> <Text Key="Cancel"></Text> <Text Key="Close"></Text> <Text Key="Yes"></Text> <Text Key="No"></Text> <Text Key="Mini_Player"> </Text> <Text Key="Restore"></Text> <Text Key="Collection"></Text> <Text Key="Settings"></Text> <Text Key="Information"></Text> <Text Key="Manage"></Text> <Text Key="Artists"></Text> <Text Key="Albums"></Text> <Text Key="Album"></Text> <Text Key="Playlists"> </Text> <Text Key="Songs"></Text> <Text Key="Song"></Text> <Text Key="Genres"></Text> <Text Key="Genre"></Text> <Text Key="Now_Playing"> </Text> <Text Key="General"></Text> <Text Key="Behaviour"> </Text> <Text Key="Features"></Text> <Text Key="Display"></Text> <Text Key="Playback"></Text> <Text Key="Help"></Text> <Text Key="About"></Text> <Text Key="Version"></Text> <Text Key="Do_You_Like_Dopamine"> ? . !</Text> <Text Key="Donate"></Text> <Text Key="Donate_With_PayPal"> </Text> <Text Key="File_Types"> </Text> <Text Key="File_Types_Description"> : MP3, WMA, OGG, FLAC, M4A (AAC), AAC, WAV, OPUS, AIFF, APE</Text> <Text Key="Keyboard_Shortcuts"> </Text> <Text Key="Key_Plus">+</Text> <Text Key="Key_Minus">-</Text> <Text Key="Key_Ctrl">Ctrl</Text> <Text Key="Increase_Volume_By_5_Percent"> 5% </Text> <Text Key="Decrease_Volume_By_5_Percent"> 5% </Text> <Text Key="Increase_Volume_By_1_Percent"> 1% </Text> <Text Key="Decrease_Volume_By_1_Percent"> 1% </Text> <Text Key="Media_Keys"> </Text> <Text Key="Supported_Media_Keys"> : , , , </Text> <Text Key="Latency"></Text> <Text Key="Dopamine_Uses_WASAPI"> API(WASAPI) .</Text> <Text Key="Appearance"></Text> <Text Key="Theme"></Text> <Text Key="Choose_Theme"> </Text> <Text Key="Follow_Windows_Color"> </Text> <Text Key="Choose_A_Color"> </Text> <Text Key="Choose_Language"> </Text> <Text Key="Pick_Your_Language"> </Text> <Text Key="Language"></Text> <Text Key="Updates"></Text> <Text Key="New_Version_available"> </Text> <Text Key="Add_More_Colors"> </Text> <Text Key="Show_Dopamine"> </Text> <Text Key="Exit"></Text> <Text Key="Minimize"></Text> <Text Key="Minimize_To_Tray"> </Text> <Text Key="Add_A_Folder"> </Text> <Text Key="Start"></Text> <Text Key="Done">!</Text> <Text Key="We_Are_Done"> . .</Text> <Text Key="What_Will_Your_Dopamine_Look_Like"> ?</Text> <Text Key="Lets_Set_Up_Your_Collection"> . ?</Text> <Text Key="Folders"></Text> <Text Key="Add_Folders_With_Your_Music"> .</Text> <Text Key="Remove_This_Folder"> </Text> <Text Key="Remove_Folder"> </Text> <Text Key="Confirm_Remove_Folder"> ?</Text> <Text Key="Error"></Text> <Text Key="Error_Adding_Folder"> . .</Text> <Text Key="Error_Removing_Folder"> . .</Text> <Text Key="Already_Exists"> </Text> <Text Key="Folder_Already_In_Collection"> .</Text> <Text Key="Log_File"> </Text> <Text Key="Play"></Text> <Text Key="Pause"> </Text> <Text Key="Next"></Text> <Text Key="Previous"></Text> <Text Key="Loop"> </Text> <Text Key="Shuffle"> </Text> <Text Key="Mute"></Text> <Text Key="Unmute"> </Text> <Text Key="Artwork"> </Text> <Text Key="Preferred_Artwork"> </Text> <Text Key="Prefer_Larger"> </Text> <Text Key="Prefer_Embedded"> </Text> <Text Key="Prefer_External"> </Text> <Text Key="Error_Cannot_Play_This_Song"> . .</Text> <Text Key="Follow_Song"> </Text> <Text Key="Default"></Text> <Text Key="View_In_Explorer"> </Text> <Text Key="Jump_To_Playing_Song"> </Text> <Text Key="Ctrl_E">Ctrl+E</Text> <Text Key="Ctrl_J">Ctrl+J</Text> <Text Key="Ctrl_T">Ctrl+T</Text> <Text Key="Notification"></Text> <Text Key="Show_Notification_When_Song_Starts"> </Text> <Text Key="Show_Notification_Controls"> </Text> <Text Key="Notification_Position"> </Text> <Text Key="Test"></Text> <Text Key="Bottom_Left"> </Text> <Text Key="Top_Left"> </Text> <Text Key="Top_Right"> </Text> <Text Key="Bottom_Right"> </Text> <Text Key="Title"></Text> <Text Key="Artist"></Text> <Text Key="Download"></Text> <Text Key="Startup"></Text> <Text Key="Mini_Player_On_Top"> </Text> <Text Key="A_Z">A-Z</Text> <Text Key="Z_A">Z-A</Text> <Text Key="By_Album"></Text> <Text Key="Taskbar"> </Text> <Text Key="Show_Audio_Progress_In_Taskbar"> </Text> <Text Key="Spectrum_Analyzer"> </Text> <Text Key="Show_Spectrum_Analyzer"> </Text> <Text Key="Columns"> </Text> <Text Key="Length"></Text> <Text Key="Album_Artist"> </Text> <Text Key="Track_Number"> </Text> <Text Key="Year"></Text> <Text Key="All_Artists"> </Text> <Text Key="All_Albums"> </Text> <Text Key="All_Genres"> </Text> <Text Key="Volume"></Text> <Text Key="Playlist"> </Text> <Text Key="Automatically_Download_Updates"> </Text> <Text Key="Not_Available_In_Portable_Version"> </Text> <Text Key="Refresh_Now"> </Text> <Text Key="New_Playlist"> </Text> <Text Key="All_Playlists"> </Text> <Text Key="Already_Exists"> </Text> <Text Key="Already_Playlist_With_That_Name"> &apos;{playlistname}&apos; .</Text> <Text Key="Error_Adding_Playlist"> . .</Text> <Text Key="Provide_Playlist_Name"> .</Text> <Text Key="Delete_This_Playlist"> </Text> <Text Key="Delete_Playlist"> </Text> <Text Key="Delete_Playlists"> </Text> <Text Key="Delete"></Text> <Text Key="Rename"> </Text> <Text Key="Are_You_Sure_To_Delete_Playlist"> &apos;{playlistname}&apos; ?</Text> <Text Key="Error_Deleting_Playlist">&apos;{playlistname}&apos; . .</Text> <Text Key="Key_F2">F2</Text> <Text Key="Key_Del">Del</Text> <Text Key="Enter_New_Name_For_Playlist">&apos;{playlistname}&apos; </Text> <Text Key="Add_To_Playlist"> </Text> <Text Key="Error_Adding_Songs_To_Playlist">&apos;{playlistname}&apos; . .</Text> <Text Key="Error_Adding_Albums_To_Playlist">&apos;{playlistname}&apos; . .</Text> <Text Key="Error_Adding_Artists_To_Playlist">&apos;{playlistname}&apos; . .</Text> <Text Key="Remove_From_Playlist"> </Text> <Text Key="Error_Removing_From_Playlist"> . .</Text> <Text Key="Ignore_Previously_Removed_Files"> </Text> <Text Key="Refresh"> </Text> <Text Key="Remove"></Text> <Text Key="Remove_Song"> </Text> <Text Key="Remove_Songs"> </Text> <Text Key="Are_You_Sure_To_Remove_Song"> ? .</Text> <Text Key="Are_You_Sure_To_Remove_Songs"> ? .</Text> <Text Key="Error_Removing_Songs"> . .</Text> <Text Key="By_Date_Added"> </Text> <Text Key="Cover_Player"> </Text> <Text Key="Micro_Player"> </Text> <Text Key="Nano_Player"> </Text> <Text Key="Lock_Position"> </Text> <Text Key="Always_On_Top"> </Text> <Text Key="Always_Show_Playback_Info"> </Text> <Text Key="Maximize"></Text> <Text Key="Hide_Taskbar_When_Maximized"> </Text> <Text Key="Glow"></Text> <Text Key="Show_Glow_Under_Main_Window"> </Text> <Text Key="Enter_Leave_Fullscreen"> </Text> <Text Key="File_Type_Not_Supported"> .</Text> <Text Key="Unknown_Artist"> </Text> <Text Key="Unknown_Title"> </Text> <Text Key="Close_Notification_Automatically_After"> </Text> <Text Key="If_You_Like_Dopamine_Please_Donate"> . , &apos;&apos; . !</Text> <Text Key="Save"></Text> <Text Key="Error_Saving_Playlists"> . .</Text> <Text Key="Error_Saving_Playlist"> . .</Text> <Text Key="Download_Latest_Version"> </Text> <Text Key="By_Album_Artist"> </Text> <Text Key="File"></Text> <Text Key="Name"></Text> <Text Key="Folder"></Text> <Text Key="Path"></Text> <Text Key="Size"></Text> <Text Key="Last_Modified"> </Text> <Text Key="Audio"></Text> <Text Key="Duration"></Text> <Text Key="Type"></Text> <Text Key="Sample_Rate"> </Text> <Text Key="Bitrate"> </Text> <Text Key="Bytes">B</Text> <Text Key="Kilobytes_Short">KB</Text> <Text Key="Megabytes_Short">MB</Text> <Text Key="Gigabytes_Short">GB</Text> <Text Key="Added_Track_To_Playlist">{numberoftracks} &apos;{playlistname}&apos; </Text> <Text Key="Added_Tracks_To_Playlist">{numberoftracks} &apos;{playlistname}&apos; </Text> <Text Key="All_Genres"> </Text> <Text Key="Error_Adding_Genres_To_Playlist">&apos;{playlistname}&apos; . .</Text> <Text Key="Border"></Text> <Text Key="Show_Window_Border"> 1 </Text> <Text Key="System_Tray"> </Text> <Text Key="Show_Tray_Icon"> </Text> <Text Key="Align_Playlist_Vertically"> </Text> <Text Key="Show_Notification_Only_When_Player_Not_Visible"> </Text> <Text Key="Transparency"></Text> <Text Key="Enable_Transparency"> </Text> <Text Key="Close_To_Tray"> </Text> <Text Key="Edit"></Text> <Text Key="Edit_Song"> </Text> <Text Key="Edit_Multiple_Songs"> </Text> <Text Key="Multiple_Songs_Selected">{trackcount} . .</Text> <Text Key="Multiple_Values"> </Text> <Text Key="Multiple_Images"> </Text> <Text Key="Size"></Text> <Text Key="Click_To_View_Full_Size"> </Text> <Text Key="Album_Artists"> </Text> <Text Key="Track_Count"> </Text> <Text Key="Disc_Number"> </Text> <Text Key="Disc_Count"> </Text> <Text Key="Grouping"></Text> <Text Key="Comment"></Text> <Text Key="Only_Positive_Numbers_Allowed"> </Text> <Text Key="Export"></Text> <Text Key="Export_The_Image"> </Text> <Text Key="Change"></Text> <Text Key="Change_The_Image"> </Text> <Text Key="Remove"></Text> <Text Key="Remove_The_Image"> </Text> <Text Key="Images"></Text> <Text Key="Select_Image"> </Text> <Text Key="Error_Changing_Image"> . .</Text> <Text Key="Add_To_Now_Playing"> </Text> <Text Key="Removing_Songs"> </Text> <Text Key="Updating_Songs"> </Text> <Text Key="Hide"></Text> <Text Key="Click_Here_To_Download"></Text> <Text Key="Update_Album_Cover"> </Text> <Text Key="Check_Box_To_Update_Album_Cover_In_Collection"> </Text> <Text Key="Edit_Album"> </Text> <Text Key="Update_File_Covers"> </Text> <Text Key="Check_Box_To_Update_File_Covers"> </Text> <Text Key="Startup_Page"> </Text> <Text Key="Start_At_Last_Selected_Page"> </Text> <Text Key="Rating"></Text> <Text Key="Save_Rating_In_Audio_Files"> (MP3 )</Text> <Text Key="By_Rating"></Text> <Text Key="Day"></Text> <Text Key="Days"></Text> <Text Key="Hour"></Text> <Text Key="Hours"></Text> <Text Key="Minute"></Text> <Text Key="Minutes"></Text> <Text Key="Second"></Text> <Text Key="Seconds"></Text> <Text Key="Show_In_Collection"> </Text> <Text Key="Show_All_Folders_In_Collection"> </Text> <Text Key="Refreshing_Collection"> </Text> <Text Key="Nothing_Is_Playing"> </Text> <Text Key="Remove_From_Now_Playing"> </Text> <Text Key="Error_Removing_From_Now_Playing"> . .</Text> <Text Key="Added_Track_To_Now_Playing">{numberoftracks} </Text> <Text Key="Added_Tracks_To_Now_Playing">{numberoftracks} </Text> <Text Key="Error_Adding_Songs_To_Now_Playing"> . .</Text> <Text Key="Error_Adding_Albums_To_Now_Playing"> . .</Text> <Text Key="Error_Adding_Artists_To_Now_Playing"> . .</Text> <Text Key="Error_Adding_Genres_To_Now_Playing"> . .</Text> <Text Key="Error_Adding_Playlists_To_Now_Playing"> . .</Text> <Text Key="Play_All"> </Text> <Text Key="Shuffle_All"> </Text> <Text Key="See_You_Later"> !</Text> <Text Key="Website"></Text> <Text Key="Social_Networks"> </Text> <Text Key="Contact_Us"></Text> <Text Key="Email"></Text> <Text Key="Error_Cannot_Play_This_Song_File_Not_Found"> . .</Text> <Text Key="Cover_Size"> </Text> <Text Key="Small"></Text> <Text Key="Medium"></Text> <Text Key="Large"></Text> <Text Key="Showcase"></Text> <Text Key="Dark"></Text> <Text Key="Light"></Text> <Text Key="Components"> </Text> <Text Key="Thanks"> </Text> <Text Key="Wasapi_Exclusive_Mode"> ( )</Text> <Text Key="Equalizer"></Text> <Text Key="Enable_Equalizer"> </Text> <Text Key="Reset"></Text> <Text Key="Manual"></Text> <Text Key="Save_Equalizer_Preset"> </Text> <Text Key="Equalizer_Presets"> </Text> <Text Key="Preset_Already_Taken"> .</Text> <Text Key="Error_While_Saving_Preset"> . .</Text> <Text Key="Delete_Preset"> </Text> <Text Key="Delete_Preset_Confirmation"> &apos;{preset}&apos; ?</Text><Text Key="Error_While_Deleting_Preset"> . .</Text> <Text Key="Error_While_Deleting_Preset"> . .</Text> <Text Key="Exclusive_Mode"> </Text> <Text Key="Exclusive_Mode_Confirmation"> ? .</Text> <Text Key="Search_Online"> </Text> <Text Key="Online"></Text> <Text Key="Add_Remove_Online_Search_Providers"> </Text> <Text Key="Add"></Text> <Text Key="Confirm_Remove_Online_Search_Provider"> &apos;{provider}&apos; ?</Text> <Text Key="Error_Removing_Online_Search_Provider">&apos;{provider}&apos; . .</Text> <Text Key="Url">URL</Text> <Text Key="Separator"> </Text> <Text Key="Error_Adding_Online_Search_Provider"> . .</Text> <Text Key="Error_Adding_Online_Search_Provider_Missing_Fields"> . &apos;&apos; &apos;URL&apos; , &apos; &apos; .</Text> <Text Key="Error_Updating_Online_Search_Provider"> . .</Text> <Text Key="Error_Updating_Online_Search_Provider_Missing_Fields"> . &apos;&apos; &apos;URL&apos; , &apos; &apos; .</Text> <Text Key="Sign_In"></Text> <Text Key="Sign_Out"></Text> <Text Key="Signed_In"> </Text> <Text Key="Sign_In_Failed"> </Text> <Text Key="Artist_Information"> </Text> <Text Key="Biography"></Text> <Text Key="Similar"> </Text> <Text Key="Not_Available"> </Text> <Text Key="Download_An_Image"> </Text> <Text Key="Tags"></Text> <Text Key="Lyrics"></Text> <Text Key="No_Lyrics_Found"> </Text> <Text Key="Automatically_Scroll_To_The_Playing_Song"> </Text> <Text Key="Mouse_Scroll_Changes_Volume_By"> </Text> <Text Key="Song_Cannot_Be_Found"> . .</Text> <Text Key="Songs_Cannot_Be_Found"> . .</Text> <Text Key="Automatic_Scrolling"> </Text> <Text Key="Font_Size"> </Text> <Text Key="Cancel_Edit"> </Text> <Text Key="Play_Song_And_Insert_Timestamp"> Ctrl+T </Text> <Text Key="Sign_In_To_Enable_Lastfm"> Last.fm &apos;&apos; &apos;&apos; </Text> <Text Key="Create_A_Lastfm_Account">Last.fm </Text> <Text Key="Love"></Text> <Text Key="Show_Love_Button">&apos;&apos; </Text> <Text Key="Show_Rating_Button">&apos;&apos; </Text> <Text Key="Show_Notification_When_Pausing_Song"> </Text> <Text Key="Show_Notification_When_Resuming_Song"> </Text> <Text Key="Add_Lyrics"> </Text> <Text Key="Save_In_Audio_File"> </Text> <Text Key="Download_Lyrics_Automatically"> </Text> <Text Key="Download_Artist_Information_From_Lastfm_Automatically"> Last.fm </Text> <Text Key="Username"></Text> <Text Key="Password"></Text> <Text Key="Search_Again"> </Text> <Text Key="Audio_File"> </Text> <Text Key="Play_Next"> </Text> <Text Key="Last_Played"> </Text> <Text Key="Remember_Last_played_Song"> </Text> <Text Key="Download_Lyrics_From"> </Text> <Text Key="Lyrics_Download_Timeout"> </Text> <Text Key="Show_Remove_From_Disk"> &apos; &apos; </Text> <Text Key="Remove_From_Disk"> </Text> <Text Key="Are_You_Sure_To_Remove_Song_From_Disk"> ? .</Text> <Text Key="Are_You_Sure_To_Remove_Songs_From_Disk"> ? .</Text> <Text Key="Error_Removing_Songs_From_Disk"> . .</Text> <Text Key="About_Donated_People"> .</Text> <Text Key="About_Translators"> .</Text> <Text Key="About_Components_Developers"> .</Text> <Text Key="About_Neowin_Head"></Text> <Text Key="About_Neowin_End"> , , .</Text> <Text Key="Frequent"> </Text> <Text Key="Are_You_Sure_To_Remove_Song_From_Playlist"> &apos;{playlistname}&apos; ?</Text> <Text Key="Are_You_Sure_To_Remove_Songs_From_Playlist"> &apos;{playlistname}&apos; ?</Text> <Text Key="XiamiLyrics">XiamiLyrics</Text> <Text Key="NeteaseLyrics">NeteaseLyrics</Text> <Text Key="Spectrum_Style"> </Text> <Text Key="Follow_Album_Cover_Color"> </Text> <Text Key="Lyrics_File"> </Text> <Text Key="Long_Jump_Backward"> 15 </Text> <Text Key="Short_Jump_Backward"> 5 </Text> <Text Key="Long_Jump_Forward"> 15 </Text> <Text Key="Short_Jump_Forward"> 5 </Text> <Text Key="Default_Audio_Device"> </Text> <Text Key="Audio_Device"> </Text> <Text Key="Choose_Audio_Device"> </Text> <Text Key="By_Date_Created"> </Text> <Text Key="Plays"></Text> <Text Key="Skips"> </Text> <Text Key="Play_Selected"> </Text> <Text Key="Error_Playing_Selected_Songs"> . .</Text> <Text Key="External_Control"> </Text> <Text Key="Enable_External_Control"> </Text> <Text Key="Enable_System_Notification"> </Text> <Text Key="Unknown_Album"> </Text> <Text Key="Unknown_Genre"> </Text> <Text Key="Refresh_Collection_Automatically"> </Text> <Text Key="Loop_When_Shuffle"> </Text> <Text Key="Show_Song_Covers"> </Text> <Text Key="Hide_Song_Covers"> </Text> <Text Key="Check_For_Updates_At_Startup"> </Text> <Text Key="Check_For_Updates_Periodically"> </Text> <Text Key="Refresh_Collection_Now"> </Text> <Text Key="Album_Covers"> </Text> <Text Key="Reload_All_Covers"> </Text> <Text Key="Reload_All_Covers_Description"> .</Text> <Text Key="Reload_Missing_Covers"> </Text> <Text Key="Reload_Missing_Covers_Description"> .</Text> <Text Key="Added_Songs">{number} ({percent}%)</Text> <Text Key="Download_Missing_Album_Covers"> </Text> <Text Key="Use_All_Available_Speakers"> </Text> <Text Key="Center_Lyrics"> </Text> <Text Key="Spectrum_Flames"></Text> <Text Key="Spectrum_Lines"></Text> <Text Key="Spectrum_Bars"></Text> <Text Key="Spectrum_Stripes"></Text> <Text Key="Also_Check_For_Prereleases"> </Text> <Text Key="Folder_Could_Not_Be_Added_Check_Permissions"> &apos;{foldername}&apos; . .</Text> <Text Key="Time"></Text> <Text Key="Song_Artists"> </Text> <Text Key="Album_Artists"> </Text> <Text Key="Toggle_Artists"> </Text> <Text Key="Select_None"> </Text> <Text Key="Open_Menu"> </Text> <Text Key="Toggle_Album_Order"> </Text> <Text Key="Toggle_Track_Order"> </Text> <Text Key="Activate_Search_Field"> </Text> <Text Key="Back"></Text> <Text Key="Folders"></Text> <Text Key="Import_Playlists"> </Text> <Text Key="Error_Importing_Playlists"> . .</Text> <Text Key="Switch_Player"> </Text> <Text Key="Music"></Text> <Text Key="Smart_Playlist"> </Text> <Text Key="Create_Smart_Playlist_Where"> </Text> <Text Key="Add_If_Any_Rule_Is_Matched"> </Text> <Text Key="Limit_To"> </Text> <Text Key="Smart_Playlist_Songs"></Text> <Text Key="Smart_Playlist_Minutes"></Text> <Text Key="Smart_Playlist_Is"></Text> <Text Key="Smart_Playlist_Is_Not"></Text> <Text Key="Smart_Playlist_Contains"></Text> <Text Key="Smart_Playlist_Greater_Than"></Text> <Text Key="Smart_Playlist_Less_Than"></Text> <Text Key="Edit_Playlist"> </Text> <Text Key="Enter_Name_For_Playlist"> </Text> <Text Key="Error_Editing_Playlist"> . .</Text> <Text Key="Date_Added"> </Text> <Text Key="Date_Created"> </Text> <Text Key="Manage_Collection"> </Text> <Text Key="Use_AppCommand_Media_Keys"> </Text> <Text Key="Smart_Playlist_Does_Not_Contain"></Text> <Text Key="By_Year_Ascending"> </Text> <Text Key="By_Year_Descending"> </Text> <Text Key="Enable_Discord_Rich_Presence">Enable Discord Rich Presence</Text> <Text Key="Discord_By">by</Text> <Text Key="Discord_Playing_With_Dopamine">Playing with Dopamine</Text> <Text Key="Discord_Playing">Playing</Text> <Text Key="Discord_Paused">Paused</Text> <Text Key="Sleep">Sleep</Text> <Text Key="Prevent_Sleep_While_Playing">Prevent the computer from going to sleep while audio is playing</Text> <Text Key="Add_To_Blacklist">Add to blacklist</Text> <Text Key="Error_Adding_To_Blacklist">Could not add to blacklist. Please consult the log file for more information.</Text> <Text Key="Added_Track_To_Blacklist">Added {numberoftracks} song to the blacklist</Text> <Text Key="Added_Tracks_To_Blacklist">Added {numberoftracks} songs the blacklist</Text> <Text Key="Blacklist">Blacklist</Text> <Text Key="Songs_In_Blacklist_Will_Be_Skipped">Songs that are in the blacklist will be skipped during playback.</Text> <Text Key="Remove_This_Track_From_Blacklist">Remove this song from the blacklist</Text> <Text Key="Confirm_Remove_Track_From_Blacklist">Are you sure you want to remove this song from the blacklist?</Text> <Text Key="Error_Removing_Track_From_Blacklist">The song could not be removed from the blacklist. Please consult the log file for more information.</Text> <Text Key="Clear_Blacklist">Clear blacklist...</Text> <Text Key="Clear">Clear</Text> <Text Key="Confirm_Clear_Blacklist">Are you sure you want to clear the blacklist?</Text> <Text Key="Error_Clearing_Blacklist">The blacklist could not be cleared. Please consult the log file for more information.</Text> </Language> ```
/content/code_sandbox/Dopamine/Languages/KO.xml
xml
2016-07-13T21:34:42
2024-08-15T03:30:43
dopamine-windows
digimezzo/dopamine-windows
1,786
6,857
```xml import _ from 'lodash'; import { useMemo } from 'react'; import { isoDate } from '@/portainer/filters/filters'; import { useAuthorizations } from '@/react/hooks/useUser'; import { Link } from '@@/Link'; import { StatusBadge } from '@@/StatusBadge'; import { Badge } from '@@/Badge'; import { SystemBadge } from '@@/Badge/SystemBadge'; import { helper } from './helper'; import { actions } from './actions'; export function useColumns() { const hasAuthQuery = useAuthorizations( 'K8sResourcePoolsAccessManagementRW', undefined, true ); return useMemo( () => _.compact([ helper.accessor('Namespace.Name', { header: 'Name', id: 'Name', cell: ({ getValue, row: { original: item } }) => { const name = getValue(); return ( <> <Link to="kubernetes.resourcePools.resourcePool" params={{ id: name, }} data-cy={`namespace-link-${name}`} > {name} </Link> {item.Namespace.IsSystem && ( <span className="ml-2"> <SystemBadge /> </span> )} </> ); }, }), helper.accessor('Namespace.Status', { header: 'Status', cell({ getValue }) { const status = getValue(); return <StatusBadge color={getColor(status)}>{status}</StatusBadge>; function getColor(status: string) { switch (status.toLowerCase()) { case 'active': return 'success'; case 'terminating': return 'danger'; default: return 'info'; } } }, }), helper.accessor('Quota', { cell({ getValue }) { const quota = getValue(); if (!quota) { return '-'; } return <Badge type="warn">Enabled</Badge>; }, }), helper.accessor('Namespace.CreationDate', { header: 'Created', cell({ row: { original: item } }) { return ( <> {isoDate(item.Namespace.CreationDate)}{' '} {item.Namespace.ResourcePoolOwner ? ` by ${item.Namespace.ResourcePoolOwner}` : ''} </> ); }, }), hasAuthQuery.authorized && actions, ]), [hasAuthQuery.authorized] ); } ```
/content/code_sandbox/app/react/kubernetes/namespaces/ListView/columns/useColumns.tsx
xml
2016-05-19T20:15:28
2024-08-16T19:15:14
portainer
portainer/portainer
30,083
520
```xml <!-- ~ ~ ~ path_to_url ~ ~ Unless required by applicable law or agreed to in writing, software ~ WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. --> <resources> <!-- Default screen margins, per the Android Design guidelines. --> <dimen name="activity_horizontal_margin">16dp</dimen> <dimen name="activity_vertical_margin">16dp</dimen> <dimen name="image_thumbnail_size">100dp</dimen> <dimen name="image_thumbnail_spacing">1dp</dimen> </resources> ```
/content/code_sandbox/app/src/main/res/values/dimens.xml
xml
2016-03-21T18:35:44
2024-08-15T11:55:03
Fast-Android-Networking
amitshekhariitbhu/Fast-Android-Networking
5,667
135
```xml <?xml version="1.0" encoding="utf-8"?> <com.google.android.material.floatingactionbutton.FloatingActionButton android:id="@+id/fab" xmlns:android="path_to_url" xmlns:app="path_to_url" xmlns:tools="path_to_url" android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_marginBottom="@dimen/fab_margin_bottom" android:layout_marginRight="@dimen/fab_margin_right" android:src="@android:drawable/ic_dialog_email" app:layout_anchor="@id/BottomNavigation" app:layout_anchorGravity="right|bottom" app:layout_behavior="@string/bbn_fab_default_behavior" tools:showIn="@layout/activity_main" /> ```
/content/code_sandbox/app/src/main/res/layout/floating_action_button_main.xml
xml
2016-04-04T19:34:04
2024-08-14T22:37:55
Material-BottomNavigation
sephiroth74/Material-BottomNavigation
1,464
168
```xml import {OrWidget} from "./or-widget"; import {Asset, AssetQuery, Attribute, AttributeRef} from "@openremote/model"; import { state } from "lit/decorators.js"; import manager from "@openremote/core"; import { showSnackbar } from "@openremote/or-mwc-components/or-mwc-snackbar"; import {WidgetConfig} from "./widget-config"; import {WidgetSettings} from "./widget-settings"; import { CSSResult } from "lit"; /* * OrAssetWidget class * * It is an extension on base class OrWidget, * where some asset-specific methods such as fetching, are already defined for ease of use. * For example it is used in the chart-, gauge- and kpi widget * */ export abstract class OrAssetWidget extends OrWidget { @state() // cached assets protected loadedAssets: Asset[] = []; @state() // cached attribute list; [asset index of the loadedAssets array, attribute] protected assetAttributes: [number, Attribute<any>][] = []; static get styles(): CSSResult[] { return [...super.styles]; } // Fetching the assets according to the AttributeRef[] input in DashboardWidget if required. protected async fetchAssets(attributeRefs: AttributeRef[] = []) { return fetchAssetsByAttributeRef(attributeRefs); } protected async queryAssets(assetQuery: AssetQuery) { return fetchAssets(assetQuery); } protected isAssetLoaded(assetId: string) { return isAssetIdLoaded(this.loadedAssets, assetId); } protected isAttributeRefLoaded(attributeRef: AttributeRef) { return isAssetIdLoaded(this.loadedAssets, attributeRef.id!); } } /* * AssetWidgetSettings class * * It is an extension on base class WidgetSettings * where some asset-specific methods such as fetching, are already defined for ease of use. * For example it is used in the chart-, gauge- and kpi widget settings * */ export abstract class AssetWidgetSettings extends WidgetSettings { @state() // cached assets protected loadedAssets: Asset[] = []; protected async fetchAssets(attributeRefs: AttributeRef[] = []) { return fetchAssetsByAttributeRef(attributeRefs); } protected async queryAssets(assetQuery: AssetQuery) { return fetchAssets(assetQuery); } protected isAssetLoaded(assetId: string) { return isAssetIdLoaded(this.loadedAssets, assetId) } protected isAttributeRefLoaded(attributeRef: AttributeRef) { return isAssetIdLoaded(this.loadedAssets, attributeRef.id!); } } /* ---------------------------------------------------------- */ // GENERIC FUNCTIONS // Simple async function for fetching assets by attributeRefs async function fetchAssetsByAttributeRef(attributeRefs: AttributeRef[] = []) { const assetIds = attributeRefs.map(ar => ar.id!); const attributeNames = attributeRefs.map(ar => ar.name!); return fetchAssets({ ids: attributeRefs?.map((x: AttributeRef) => x.id) as string[], select: { attributes: attributeRefs?.map((x: AttributeRef) => x.name) as string[] } }); } async function fetchAssets(assetQuery: AssetQuery) { let assets: Asset[] = []; assetQuery.realm = { name: manager.displayRealm }; await manager.rest.api.AssetResource.queryAssets(assetQuery).then(response => { assets = response.data; }).catch((reason) => { console.error(reason); showSnackbar(undefined, "errorOccurred"); }); return assets; } function isAssetIdLoaded(loadedAssets: Asset[] | undefined, assetId: string) { return loadedAssets?.find(asset => asset.id === assetId) !== undefined; } ```
/content/code_sandbox/ui/component/or-dashboard-builder/src/util/or-asset-widget.ts
xml
2016-02-03T11:14:02
2024-08-16T12:45:50
openremote
openremote/openremote
1,184
779
```xml <clickhouse> <remote_servers> <localhost_cluster> <shard> <replica> <host>localhost</host> <port>9000</port> </replica> </shard> </localhost_cluster> </remote_servers> </clickhouse> ```
/content/code_sandbox/tests/integration/test_unknown_column_dist_table_with_alias/configs/clusters.xml
xml
2016-06-02T08:28:18
2024-08-16T18:39:33
ClickHouse
ClickHouse/ClickHouse
36,234
66
```xml <?xml version="1.0" encoding="UTF-8" standalone="no"?> <document type="com.apple.InterfaceBuilder3.CocoaTouch.XIB" version="3.0" toolsVersion="9531" systemVersion="15D13b" targetRuntime="iOS.CocoaTouch" propertyAccessControl="none" useAutolayout="YES" launchScreen="YES" useTraitCollections="YES"> <dependencies> <plugIn identifier="com.apple.InterfaceBuilder.IBCocoaTouchPlugin" version="9529"/> </dependencies> <objects> <placeholder placeholderIdentifier="IBFilesOwner" id="-1" userLabel="File's Owner"/> <placeholder placeholderIdentifier="IBFirstResponder" id="-2" customClass="UIResponder"/> <view contentMode="scaleToFill" id="iN0-l3-epB"> <rect key="frame" x="0.0" y="0.0" width="480" height="480"/> <autoresizingMask key="autoresizingMask" widthSizable="YES" heightSizable="YES"/> <color key="backgroundColor" white="1" alpha="1" colorSpace="custom" customColorSpace="calibratedWhite"/> <nil key="simulatedStatusBarMetrics"/> <freeformSimulatedSizeMetrics key="simulatedDestinationMetrics"/> <point key="canvasLocation" x="548" y="455"/> </view> </objects> </document> ```
/content/code_sandbox/Project 19 - CustomPullToRefresh/PullRefresh/Base.lproj/LaunchScreen.xib
xml
2016-02-13T14:02:12
2024-08-16T09:41:59
30DaysofSwift
allenwong/30DaysofSwift
11,506
310
```xml <?xml version="1.0" encoding="utf-8"?> <FrameLayout xmlns:android="path_to_url" xmlns:app="path_to_url" xmlns:tools="path_to_url" android:layout_width="wrap_content" android:layout_height="wrap_content" android:background="@drawable/vx_ic_gift_continue_send_bg"> <ImageView android:layout_width="64dp" android:layout_height="64dp" android:layout_gravity="center" android:background="@drawable/vx_bg_gift_continue_send" /> <LinearLayout android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_gravity="center" android:gravity="center_horizontal" android:orientation="vertical"> <TextView android:id="@+id/text_tips" android:layout_width="wrap_content" android:layout_height="wrap_content" android:gravity="center" android:text="\n" android:textColor="#fff" android:textSize="14sp" app:layout_constraintBottom_toTopOf="@+id/text_time" app:layout_constraintLeft_toLeftOf="parent" app:layout_constraintRight_toRightOf="parent" app:layout_constraintTop_toTopOf="parent" /> <TextView android:id="@+id/text_time" android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_marginTop="2dp" android:textColor="#fff" android:textSize="12sp" android:visibility="gone" app:layout_constraintBottom_toBottomOf="parent" app:layout_constraintLeft_toLeftOf="@+id/text_tips" app:layout_constraintRight_toRightOf="@+id/text_tips" app:layout_constraintTop_toBottomOf="@+id/text_tips" tools:text="10s" /> </LinearLayout> <ProgressBar android:id="@+id/progress" style="?android:attr/progressBarStyleHorizontal" android:layout_width="60dp" android:layout_height="60dp" android:layout_gravity="center" android:indeterminate="false" android:progressDrawable="@drawable/vx_gift_progress_bar" /> </FrameLayout> ```
/content/code_sandbox/imitate/src/main/res/layout/bullet_view.xml
xml
2016-08-08T08:52:10
2024-08-12T19:24:13
AndroidAnimationExercise
REBOOTERS/AndroidAnimationExercise
1,868
492
```xml /// <reference types="jest" /> import ConsoleLogProvider from "./ConsoleLogProvider"; import MockConsole from "./MockConsole"; describe('Provider: ConsoleLogProvider', () => { beforeEach(() => { // do nothing }); afterEach(() => { // do nothing }); it('can log debug', async () => { // ARRANGE const mockConsole = new MockConsole(); const logProvider = new ConsoleLogProvider(mockConsole); // ACT await logProvider.Debug("class name", "my message"); // ASSERT expect(mockConsole.didDebug.indexOf("class name")).toBeGreaterThanOrEqual(0); expect(mockConsole.didDebug.indexOf("my message")).toBeGreaterThanOrEqual(0); }); it('can log debug with json', async () => { // ARRANGE const mockConsole = new MockConsole(); const logProvider = new ConsoleLogProvider(mockConsole); // ACT await logProvider.Debug("class name", "my message", {}); // ASSERT expect(mockConsole.didDebug.indexOf("class name")).toBeGreaterThanOrEqual(0); expect(mockConsole.didDebug.indexOf("my message")).toBeGreaterThanOrEqual(0); }); it('can log info', async () => { // ARRANGE const logConsole = new MockConsole(); const logProvider = new ConsoleLogProvider(logConsole); // ACT await logProvider.Info("class name", "my message"); // ASSERT expect(logConsole.didInfo.indexOf("class name")).toBeGreaterThanOrEqual(0); expect(logConsole.didInfo.indexOf("my message")).toBeGreaterThanOrEqual(0); }); it('can log info with JSON', async () => { // ARRANGE const logConsole = new MockConsole(); const logProvider = new ConsoleLogProvider(logConsole); // ACT await logProvider.Info("class name", "my message", {}); // ASSERT expect(logConsole.didInfo.indexOf("class name")).toBeGreaterThanOrEqual(0); expect(logConsole.didInfo.indexOf("my message")).toBeGreaterThanOrEqual(0); }); it('can log warn', async () => { // ARRANGE const logConsole = new MockConsole(); const logProvider = new ConsoleLogProvider(logConsole); // ACT await logProvider.Warning("class name", "my message"); // ASSERT expect(logConsole.didWarn.indexOf("class name")).toBeGreaterThanOrEqual(0); expect(logConsole.didWarn.indexOf("my message")).toBeGreaterThanOrEqual(0); }); it('can log warn with json', async () => { // ARRANGE const logConsole = new MockConsole(); const logProvider = new ConsoleLogProvider(logConsole); // ACT await logProvider.Warning("class name", "my message", {}); // ASSERT expect(logConsole.didWarn.indexOf("class name")).toBeGreaterThanOrEqual(0); expect(logConsole.didWarn.indexOf("my message")).toBeGreaterThanOrEqual(0); }); it('can log error', async () => { // ARRANGE const logConsole = new MockConsole(); const logProvider = new ConsoleLogProvider(logConsole); // ACT await logProvider.Error("class name", "my message"); // ASSERT expect(logConsole.didError.indexOf("class name")).toBeGreaterThanOrEqual(0); expect(logConsole.didError.indexOf("my message")).toBeGreaterThanOrEqual(0); }); it('can log error with JSON', async () => { // ARRANGE const logConsole = new MockConsole(); const logProvider = new ConsoleLogProvider(logConsole); // ACT await logProvider.Error("class name", "my message", {}); // ASSERT expect(logConsole.didError.indexOf("class name")).toBeGreaterThanOrEqual(0); expect(logConsole.didError.indexOf("my message")).toBeGreaterThanOrEqual(0); }); }); ```
/content/code_sandbox/samples/react-ioc-tests/src/common/providers/Log/ConsoleLogProvider.test.ts
xml
2016-08-30T17:21:43
2024-08-16T18:41:32
sp-dev-fx-webparts
pnp/sp-dev-fx-webparts
2,027
843
```xml <?xml version="1.0" encoding="utf-8"?> <androidx.constraintlayout.widget.ConstraintLayout xmlns:android="path_to_url" xmlns:app="path_to_url" xmlns:tools="path_to_url" android:id="@+id/bottom_sheet" android:layout_width="match_parent" android:layout_height="wrap_content" android:layout_gravity="bottom" android:background="@drawable/bg_bottom_popup_container" android:gravity="center_vertical" android:orientation="vertical"> <ImageView android:id="@+id/iv_play_mode" android:layout_width="24dp" android:layout_height="24dp" android:layout_margin="@dimen/dp_16" android:src="@drawable/ic_repeat_one" android:tint="?iconColor" app:layout_constraintBottom_toBottomOf="@+id/tv_play_mode" app:layout_constraintEnd_toStartOf="@+id/tv_play_mode" app:layout_constraintStart_toStartOf="parent" app:layout_constraintTop_toTopOf="@+id/tv_play_mode" /> <ImageView android:id="@+id/iv_clear_all" android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_margin="@dimen/dp_16" android:src="@drawable/ic_delete" android:tint="?iconColor" app:layout_constraintBottom_toTopOf="@+id/view3" app:layout_constraintEnd_toEndOf="parent" app:layout_constraintStart_toEndOf="@+id/tv_song_sum" app:layout_constraintTop_toTopOf="parent" /> <TextView android:id="@+id/tv_song_sum" android:layout_width="0dp" android:layout_height="wrap_content" android:layout_weight="1" android:textSize="@dimen/sp_16" app:layout_constraintBottom_toBottomOf="@+id/tv_play_mode" app:layout_constraintEnd_toStartOf="@+id/iv_clear_all" app:layout_constraintStart_toEndOf="@+id/tv_play_mode" app:layout_constraintTop_toTopOf="@+id/tv_play_mode" tools:text="@string/play_mode_repeat" /> <TextView android:id="@+id/tv_play_mode" android:layout_width="wrap_content" android:layout_height="wrap_content" android:textSize="@dimen/sp_16" app:layout_constraintBottom_toTopOf="@+id/view3" app:layout_constraintEnd_toStartOf="@+id/tv_song_sum" app:layout_constraintStart_toEndOf="@+id/iv_play_mode" app:layout_constraintTop_toTopOf="parent" tools:text="@string/play_mode_repeat" /> <View android:id="@+id/view3" android:layout_width="wrap_content" android:layout_height="@dimen/dp_05" android:layout_marginTop="16dp" android:background="@color/translucent_white" app:layout_constraintBottom_toTopOf="@+id/rcv_songs" app:layout_constraintEnd_toEndOf="parent" app:layout_constraintStart_toStartOf="parent" app:layout_constraintTop_toBottomOf="@+id/iv_play_mode" /> <androidx.recyclerview.widget.RecyclerView android:id="@+id/rcv_songs" android:layout_width="match_parent" android:layout_height="360dp" android:layout_marginTop="16dp" android:layout_weight="1" app:layout_constraintBottom_toBottomOf="parent" app:layout_constraintEnd_toEndOf="parent" app:layout_constraintStart_toStartOf="parent" app:layout_constraintTop_toBottomOf="@+id/iv_play_mode" /> </androidx.constraintlayout.widget.ConstraintLayout> ```
/content/code_sandbox/app/src/main/res/layout/dialog_playqueue.xml
xml
2016-04-09T15:47:45
2024-08-14T04:30:04
MusicLake
caiyonglong/MusicLake
2,654
837
```xml import { useCallback, useEffect, useState } from 'react'; import { addKeyframe, removeKeyframe, existKeyframe } from '../utils/keyframes'; export default function useAnimationDuration({ noticeBarRef, contentRef, delay, speed, keyframeName, }) { const [animationDuration, setAnimationDuration] = useState(0); const updateScrolling = useCallback(() => { if (!noticeBarRef.current || !contentRef.current) return; const wrapWidth = noticeBarRef.current.getBoundingClientRect().width; const contentWidth = contentRef.current.getBoundingClientRect().width; if (contentWidth > wrapWidth) { // = + const newAnimationDuration = Math.round(delay! * 2 + (contentWidth / speed!) * 1000); // const delayPercent = Math.round((delay! * 100) / newAnimationDuration); // keyframe if (existKeyframe(keyframeName)) { removeKeyframe(keyframeName); } // keyframe addKeyframe( keyframeName, ` 0%, ${delayPercent}% { -webkit-transform: translate3d(0, 0, 0); transform: translate3d(0, 0, 0); } ${100 - delayPercent}%, 100% { -webkit-transform: translate3d(${-(contentWidth - wrapWidth)}px, 0, 0); transform: translate3d(${-(contentWidth - wrapWidth)}px, 0, 0); } `, ); setAnimationDuration(newAnimationDuration); } }, [keyframeName, delay, speed, noticeBarRef, contentRef]); useEffect(() => { updateScrolling(); }, [updateScrolling]); return animationDuration; } ```
/content/code_sandbox/packages/zarm/src/notice-bar/hooks.ts
xml
2016-07-13T11:45:37
2024-08-12T19:23:48
zarm
ZhongAnTech/zarm
1,707
394
```xml // // // Microsoft Bot Framework: path_to_url // // Bot Framework Emulator Github: // path_to_url // // All rights reserved. // // Permission is hereby granted, free of charge, to any person obtaining // a copy of this software and associated documentation files (the // "Software"), to deal in the Software without restriction, including // without limitation the rights to use, copy, modify, merge, publish, // distribute, sublicense, and/or sell copies of the Software, and to // permit persons to whom the Software is furnished to do so, subject to // the following conditions: // // The above copyright notice and this permission notice shall be // included in all copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED ""AS IS"", WITHOUT WARRANTY OF ANY KIND, // EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF // MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND // NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE // LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION // OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION // WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. // import * as React from 'react'; import { ChangeEvent, Component, KeyboardEvent, MouseEvent, ReactNode } from 'react'; import * as styles from './autoComplete.scss'; export interface AutoCompleteProps { autoFocus?: boolean; className?: string; disabled?: boolean; errorMessage?: string; items?: string[]; label?: string; onChange?: (updatedValue: string) => void; placeholder?: string; value?: string; // use only for a "controlled input" experience } export interface AutoCompleteState { currentInput: string; id: string; selectedIndex: number; showResults: boolean; } export class AutoComplete extends Component<AutoCompleteProps, AutoCompleteState> { private static idCount = 0; constructor(props: AutoCompleteProps) { super(props); this.state = { currentInput: '', id: AutoComplete.getId(), selectedIndex: undefined, showResults: false, }; } private static getId(): string { return `${this.idCount++}`; } public render(): ReactNode { const { errorMessageId, onBlur, onChange, onFocus, onKeyDown, value } = this; const { autoFocus, className = '', errorMessage, disabled, placeholder } = this.props; const invalidClassName = errorMessage ? styles.invalid : ''; return ( <div className={`${styles.autoCompleteContainer} ${invalidClassName} ${className}`} id={this.textboxId} aria-expanded={this.state.showResults} aria-haspopup="listbox" aria-owns={this.listboxId} > {this.label} <input autoFocus={autoFocus} disabled={disabled} id={this.textboxId} onFocus={onFocus} onBlur={onBlur} onChange={onChange} onKeyDown={onKeyDown} placeholder={placeholder} type="text" value={value} aria-activedescendant={this.getOptionId(this.state.selectedIndex)} aria-autocomplete="list" aria-controls={this.listboxId} aria-labelledby={errorMessageId} /> {this.errorMessage} {this.results} </div> ); } private get results(): ReactNode { if (this.state.showResults) { const results = this.filteredItems.map((result, index) => ( <li className={`${index === this.state.selectedIndex ? styles.selected : ''}`} id={this.getOptionId(index)} key={result} onMouseDown={ev => this.onSelectResult(ev, result)} role="option" aria-selected={index === this.state.selectedIndex} > {result} </li> )); return ( <ul role="listbox" aria-labelledby={this.labelId}> {results} </ul> ); } return undefined; } private get label(): ReactNode { const { label } = this.props; if (label) { return ( <label id={this.labelId} htmlFor={this.textboxId}> {label} </label> ); } return undefined; } private get errorMessage(): ReactNode { const { errorMessage } = this.props; return ( <sub id={this.errorMessageId} className={styles.errorMessage} aria-live={'polite'}> {errorMessage ? errorMessage : null} </sub> ); } private get errorMessageId(): string { return this.props.errorMessage ? `auto-complete-err-msg-${this.state.id}` : undefined; } private get labelId(): string { // label id is only necessary if we have a label return this.props.label ? `auto-complete-label-${this.state.id}` : undefined; } private get listboxId(): string { return `auto-complete-listbox-${this.state.id}`; } private get textboxId(): string { // textbox id is only necessary if we have a label return this.props.label ? `auto-complete-textbox-${this.state.id}` : undefined; } private get filteredItems(): string[] { const unfilteredItems = this.props.items || []; const filteredItems = unfilteredItems.filter(item => this.fuzzysearch(this.value, item)); return filteredItems; } private get value(): string { // if in 'controlled mode,' an empty string should be a valid input if (this.props.value === '') { return this.props.value; } return this.props.value || this.state.currentInput; } private getOptionId(index: number): string { return `auto-complete-option-${this.state.id}-${index}`; } private onSelectResult = (ev: MouseEvent<HTMLLIElement>, result: string) => { // stop the mousedown from firing a focus event on the <li> because // we are going to dismiss the results list and want focus to remain on the input ev.preventDefault(); if (this.props.onChange) { this.props.onChange(result); } this.setState({ currentInput: result, showResults: false }); }; private onFocus = () => { if (!this.state.showResults) { this.setState({ showResults: true, selectedIndex: this.state.selectedIndex ?? 0 }); } }; private onBlur = () => { if (this.state.showResults) { this.setState({ showResults: false }); } }; private onChange = (event: ChangeEvent<HTMLInputElement>) => { const { value } = event.target; const currentInput = value; if (this.props.onChange && typeof this.props.onChange === 'function') { this.props.onChange(currentInput); } this.setState({ currentInput, showResults: true }); }; // keyboard support from path_to_url private onKeyDown = (event: KeyboardEvent<HTMLInputElement>) => { if (!this.state.showResults) { return; } switch (event.key) { // moves focus to previous item, or to last item if on first item case 'ArrowUp': { const { selectedIndex } = this.state; const items = this.filteredItems; let newIndex; if (selectedIndex === undefined || selectedIndex === 0) { newIndex = items.length - 1; } else { newIndex = this.state.selectedIndex - 1; } this.setState({ selectedIndex: newIndex }); break; } // moves focus to next item, or to first item if on last item case 'ArrowDown': { const { selectedIndex } = this.state; const items = this.filteredItems; let newIndex; if (selectedIndex === undefined || selectedIndex === items.length - 1) { newIndex = 0; } else { newIndex = this.state.selectedIndex + 1; } this.setState({ selectedIndex: newIndex }); break; } // sets the value to currently focused item and closes the listbox case 'Enter': { if (!this.filteredItems.length) { this.setState({ showResults: false }); return; } event.preventDefault(); const currentInput = this.filteredItems[this.state.selectedIndex] || this.value; if (this.props.onChange && typeof this.props.onChange === 'function') { this.props.onChange(currentInput); } this.setState({ currentInput, selectedIndex: undefined, showResults: false }); break; } // clears the textbox, selection, and closes the listbox case 'Escape': { event.preventDefault(); event.stopPropagation(); const currentInput = ''; if (this.props.onChange && typeof this.props.onChange === 'function') { this.props.onChange(currentInput); } this.setState({ currentInput, selectedIndex: undefined, showResults: false }); break; } default: break; } }; // Permission is hereby granted, free of charge, to any person obtaining a copy of // this software and associated documentation files (the "Software"), to deal in // the Software without restriction, including without limitation the rights to // use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of // the Software, and to permit persons to whom the Software is furnished to do so, // subject to the following conditions: // The above copyright notice and this permission notice shall be included in all // copies or substantial portions of the Software. // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR // IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS // FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR // COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER // IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN // CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. // from path_to_url private fuzzysearch(needle: string, haystack: string) { needle = needle.trim().toLowerCase(); haystack = haystack.trim().toLowerCase(); const hlen = haystack.length; const nlen = needle.length; if (nlen > hlen) { return false; } if (nlen === hlen) { return needle === haystack; } outer: for (let i = 0, j = 0; i < nlen; i++) { const nch = needle.charCodeAt(i); while (j < hlen) { if (haystack.charCodeAt(j++) === nch) { continue outer; } } return false; } return true; } } ```
/content/code_sandbox/packages/sdk/ui-react/src/widget/autoComplete/autoComplete.tsx
xml
2016-11-11T23:15:09
2024-08-16T12:45:29
BotFramework-Emulator
microsoft/BotFramework-Emulator
1,803
2,291
```xml /* * one or more contributor license agreements. See the NOTICE file distributed * with this work for additional information regarding copyright ownership. */ import {computed} from 'mobx'; import {observer} from 'mobx-react'; import {flowNodeMetaDataStore} from 'modules/stores/flowNodeMetaData'; import {flowNodeSelectionStore} from 'modules/stores/flowNodeSelection'; import {modificationsStore} from 'modules/stores/modifications'; import {processInstanceDetailsStatisticsStore} from 'modules/stores/processInstanceDetailsStatistics'; import {VariableFormValues} from 'modules/types/variables'; import {generateUniqueID} from 'modules/utils/generateUniqueID'; import {FormRenderProps} from 'react-final-form'; import {AddVariableButton, Form, VariablesContainer} from './styled'; import Variables from '../Variables'; const VariablesForm: React.FC< FormRenderProps<VariableFormValues, Partial<VariableFormValues>> > = observer(({handleSubmit, form, values}) => { const hasEmptyNewVariable = (values: VariableFormValues) => values.newVariables?.some( (variable) => variable === undefined || variable.name === undefined || variable.value === undefined, ); const {isModificationModeEnabled} = modificationsStore; const isVariableModificationAllowed = computed(() => { if ( !isModificationModeEnabled || flowNodeSelectionStore.state.selection === null ) { return false; } if (flowNodeSelectionStore.isRootNodeSelected) { return !processInstanceDetailsStatisticsStore.willAllFlowNodesBeCanceled; } return ( flowNodeSelectionStore.isPlaceholderSelected || (flowNodeMetaDataStore.isSelectedInstanceRunning && !flowNodeSelectionStore.hasPendingCancelOrMoveModification) ); }); return ( <Form onSubmit={handleSubmit}> {isVariableModificationAllowed.get() && ( <AddVariableButton onClick={() => { form.mutators.push?.('newVariables', { id: generateUniqueID(), }); }} disabled={ form.getState().submitting || form.getState().hasValidationErrors || form.getState().validating || hasEmptyNewVariable(values) } /> )} <VariablesContainer> <Variables isVariableModificationAllowed={isVariableModificationAllowed.get()} /> </VariablesContainer> </Form> ); }); export {VariablesForm}; ```
/content/code_sandbox/operate/client/src/App/ProcessInstance/BottomPanel/VariablePanel/VariablesForm.tsx
xml
2016-03-20T03:38:04
2024-08-16T19:59:58
camunda
camunda/camunda
3,172
506
```xml import React from 'react'; import strip from 'strip'; import xss from 'xss'; import { ResponseSuggestionItem, ResponseSuggestions, } from '@erxes/ui-inbox/src/inbox/styles'; import getHighlightedText from './getHighlightedText'; import { IResponseTemplate } from '../../../../settings/responseTemplates/types'; type TemplateListProps = { suggestionsState: { selectedIndex: number; searchText: string; templates: IResponseTemplate[]; }; onSelect: (index: number) => void; }; // response templates const TemplateList = (props: TemplateListProps) => { const { suggestionsState, onSelect } = props; function normalizeIndex(selectedIndex: number, max: number) { let index = selectedIndex % max; if (index < 0) { index += max; } return index; } const { selectedIndex, searchText, templates } = suggestionsState; if (!templates) { return null; } const normalizedIndex = normalizeIndex(selectedIndex, templates.length); return ( <ResponseSuggestions> {templates.map((template, index) => { const style: any = {}; if (normalizedIndex === index) { style.backgroundColor = '#5629B6'; style.color = '#ffffff'; } const onClick = () => onSelect(index); return ( <ResponseSuggestionItem key={template._id} onClick={onClick} style={style} > <span style={{ fontWeight: 'bold' }}> {getHighlightedText(xss(template.name), searchText)} </span>{' '} <span> {getHighlightedText(xss(strip(template.content)), searchText)} </span> </ResponseSuggestionItem> ); }, this)} </ResponseSuggestions> ); }; export default TemplateList; ```
/content/code_sandbox/packages/plugin-inbox-ui/src/inbox/components/conversationDetail/workarea/TemplateList.tsx
xml
2016-11-11T06:54:50
2024-08-16T10:26:06
erxes
erxes/erxes
3,479
389
```xml import { XmlComponent } from "@file/xml-components"; import { MathComponent } from "../math-component"; export class MathDenominator extends XmlComponent { public constructor(children: readonly MathComponent[]) { super("m:den"); for (const child of children) { this.root.push(child); } } } ```
/content/code_sandbox/src/file/paragraph/math/fraction/math-denominator.ts
xml
2016-03-26T23:43:56
2024-08-16T13:02:47
docx
dolanmiu/docx
4,139
68
```xml /* * Squidex Headless CMS * * @license */ import { provideHttpClient, withInterceptorsFromDi } from '@angular/common/http'; import { HttpTestingController, provideHttpClientTesting } from '@angular/common/http/testing'; import { inject, TestBed } from '@angular/core/testing'; import { ApiUrlConfig, PlanChangedDto, PlanDto, PlansDto, PlansService, Version } from '@app/shared/internal'; describe('PlansService', () => { const version = new Version('1'); beforeEach(() => { TestBed.configureTestingModule({ imports: [], providers: [ provideHttpClient(withInterceptorsFromDi()), provideHttpClientTesting(), PlansService, { provide: ApiUrlConfig, useValue: new ApiUrlConfig('path_to_url }, ], }); }); afterEach(inject([HttpTestingController], (httpMock: HttpTestingController) => { httpMock.verify(); })); it('should make get request to get app plans', inject([PlansService, HttpTestingController], (plansService: PlansService, httpMock: HttpTestingController) => { let plans: PlansDto; plansService.getPlans('my-app').subscribe(result => { plans = result; }); const req = httpMock.expectOne('path_to_url expect(req.request.method).toEqual('GET'); expect(req.request.headers.get('If-Match')).toBeNull(); req.flush({ currentPlanId: '123', portalLink: 'link/to/portal', planOwner: '456', plans: [ { id: 'free', name: 'Free', costs: '14 ', confirmText: 'Change for 14 per month?', yearlyId: 'free_yearly', yearlyCosts: '120 ', yearlyConfirmText: 'Change for 120 per year?', maxApiBytes: 128, maxApiCalls: 1000, maxAssetSize: 1500, maxContributors: 2500, }, { id: 'professional', name: 'Professional', costs: '18 ', confirmText: 'Change for 18 per month?', yearlyId: 'professional_yearly', yearlyCosts: '160 ', yearlyConfirmText: 'Change for 160 per year?', maxApiBytes: 512, maxApiCalls: 4000, maxAssetSize: 5500, maxContributors: 6500, }, ], referral: { code: 'CODE', }, locked: 'ManagedByTeam', }, { headers: { etag: '2', }, }); expect(plans!).toEqual({ payload: { currentPlanId: '123', portalLink: 'link/to/portal', planOwner: '456', plans: [ new PlanDto( 'free', 'Free', '14 ', 'Change for 14 per month?', 'free_yearly', '120 ', 'Change for 120 per year?', 128, 1000, 1500, 2500), new PlanDto( 'professional', 'Professional', '18 ', 'Change for 18 per month?', 'professional_yearly', '160 ', 'Change for 160 per year?', 512, 4000, 5500, 6500), ], referral: { code: 'CODE', } as any, locked: 'ManagedByTeam', }, version: new Version('2'), }); })); it('should make put request to change plan', inject([PlansService, HttpTestingController], (plansService: PlansService, httpMock: HttpTestingController) => { const dto = { planId: 'enterprise' }; let planChanged: PlanChangedDto; plansService.putPlan('my-app', dto, version).subscribe(result => { planChanged = result.payload; }); const req = httpMock.expectOne('path_to_url req.flush({ redirectUri: 'path_to_url }); expect(req.request.method).toEqual('PUT'); expect(req.request.headers.get('If-Match')).toBe(version.value); expect(planChanged!).toEqual({ redirectUri: 'path_to_url }); })); }); ```
/content/code_sandbox/frontend/src/app/shared/services/plans.service.spec.ts
xml
2016-08-29T05:53:40
2024-08-16T17:39:38
squidex
Squidex/squidex
2,222
926
```xml <?xml version="1.0" encoding="UTF-8"?> <!-- or more contributor license agreements. See the NOTICE file distributed with this work for additional information regarding copyright ownership. The ASF licenses this file path_to_url Unless required by applicable law or agreed to in writing, "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY specific language governing permissions and limitations --> <!DOCTYPE concept PUBLIC "-//OASIS//DTD DITA Concept//EN" "concept.dtd"> <concept id="trouble_sql"> <title>Troubleshooting SQL Syntax Errors</title> <prolog> <metadata> <data name="Category" value="Impala"/> <data name="Category" value="SQL"/> <data name="Category" value="Troubleshooting"/> <data name="Category" value="Developers"/> <data name="Category" value="Data Analysts"/> </metadata> </prolog> <conbody> <p> <indexterm audience="hidden">SQL errors</indexterm> <indexterm audience="hidden">syntax errors</indexterm> </p> <p outputclass="toc inpage"/> </conbody> </concept> ```
/content/code_sandbox/docs/topics/impala_trouble_sql.xml
xml
2016-04-13T07:00:08
2024-08-16T10:10:44
impala
apache/impala
1,115
268
```xml <?xml version="1.0" encoding="utf-8"?> <manifest xmlns:android="path_to_url" package="com.baronzhang.android.library"> <uses-permission android:name="android.permission.ACCESS_NETWORK_STATE" /> <application android:allowBackup="true" android:label="@string/app_name" android:supportsRtl="true"> <activity android:name="com.baronzhang.android.weather.base.BaseActivity"/> </application> </manifest> ```
/content/code_sandbox/library/src/main/AndroidManifest.xml
xml
2016-04-07T08:14:27
2024-07-20T11:58:31
MinimalistWeather
BaronZ88/MinimalistWeather
2,440
106
```xml import { useCallbackRef, useDeepMemo, useEventCallback, useFirstMount, useIsomorphicLayoutEffect, } from '@fluentui/react-bindings'; import { createPopper, detectOverflow } from '@popperjs/core'; import type { State, ModifierPhases, ModifierArguments, VirtualElement, Options, SideObject } from '@popperjs/core'; import * as React from 'react'; import { getReactFiberFromNode } from '../getReactFiberFromNode'; import { isBrowser } from '../isBrowser'; import { getBoundary } from './getBoundary'; import { getScrollParent } from './getScrollParent'; import { isIntersectingModifier } from './isIntersectingModifier'; import { applyRtlToOffset, getPlacement } from './positioningHelper'; import { PopperInstance, PopperOptions } from './types'; // // Dev utils to detect if nodes have "autoFocus" props. // /** * Detects if a passed HTML node has "autoFocus" prop on a React's fiber. Is needed as React handles autofocus behavior * in React DOM and will not pass "autoFocus" to an actual HTML. * * @param {Node} node * @returns {Boolean} */ function hasAutofocusProp(node: Node): boolean { // path_to_url#L157-L166 const isAutoFocusableElement = node.nodeName === 'BUTTON' || node.nodeName === 'INPUT' || node.nodeName === 'SELECT' || node.nodeName === 'TEXTAREA'; if (isAutoFocusableElement) { return !!getReactFiberFromNode(node).pendingProps.autoFocus; } return false; } function hasAutofocusFilter(node: Node) { return hasAutofocusProp(node) ? NodeFilter.FILTER_ACCEPT : NodeFilter.FILTER_SKIP; } /** * Provides a callback to resolve Popper options, it's stable and should be used as a dependency to trigger updates * of Popper options. * * A callback is used there intentionally as some of Popper.js modifiers require DOM nodes (targer, container, arrow) * that can't be resolved properly during an initial rendering. * * @param {PopperOptions} options * @param {React.MutableRefObject} popperOriginalPositionRef * * @returns {Function} */ function usePopperOptions(options: PopperOptions, popperOriginalPositionRef: React.MutableRefObject<string>) { const { autoSize, flipBoundary, offset, onStateUpdate, overflowBoundary, rtl, unstable_disableTether, unstable_pinned, } = options; const placement = getPlacement(options.align, options.position, options.rtl); const strategy = options.positionFixed ? 'fixed' : 'absolute'; const handleStateUpdate = useEventCallback(({ state }: { state: Partial<State> }) => { if (onStateUpdate) { onStateUpdate(state); } }); const offsetModifier = React.useMemo( () => offset ? { name: 'offset', options: { offset: rtl ? applyRtlToOffset(offset) : offset }, } : null, [offset, rtl], ); const userModifiers = useDeepMemo(() => options.modifiers, options.modifiers); return React.useCallback( (target: HTMLElement | VirtualElement, container: HTMLElement, arrow: HTMLElement | null): Options => { const scrollParentElement: HTMLElement = getScrollParent(container); const hasScrollableElement = scrollParentElement ? scrollParentElement !== scrollParentElement.ownerDocument.body : false; const modifiers: Options['modifiers'] = [ isIntersectingModifier, /** * We are setting the position to `fixed` in the first effect to prevent scroll jumps in case of the content * with managed focus. Modifier sets the position to `fixed` before all other modifier effects. Another part of * a patch modifies ".forceUpdate()" directly after a Popper will be created. */ { name: 'positionStyleFix', enabled: true, phase: 'afterWrite' as ModifierPhases, effect: ({ state, instance }: { state: Partial<State>; instance: PopperInstance }) => { // ".isFirstRun" is a part of our patch, on a first evaluation it will "undefined" // should be disabled for subsequent runs as it breaks positioning for them if (instance.isFirstRun !== false) { popperOriginalPositionRef.current = state.elements.popper.style['position']; state.elements.popper.style['position'] = 'fixed'; } return () => {}; }, requires: [], }, { name: 'flip', options: { flipVariations: true } }, /** * unstable_pinned disables the flip modifier by setting flip.enabled to false; this * disables automatic repositioning of the popper box; it will always be placed according to * the values of `align` and `position` props, regardless of the size of the component, the * reference element or the viewport. */ unstable_pinned && { name: 'flip', enabled: false }, /** * When the popper box is placed in the context of a scrollable element, we need to set * preventOverflow.escapeWithReference to true and flip.boundariesElement to 'scrollParent' * (default is 'viewport') so that the popper box will stick with the targetRef when we * scroll targetRef out of the viewport. */ hasScrollableElement && { name: 'flip', options: { boundary: 'clippingParents' } }, hasScrollableElement && { name: 'preventOverflow', options: { boundary: 'clippingParents' } }, offsetModifier, ...(typeof userModifiers === 'function' ? userModifiers(target, container, arrow) : userModifiers), /** * This modifier is necessary to retain behaviour from popper v1 where untethered poppers are allowed by * default. i.e. popper is still rendered fully in the viewport even if anchor element is no longer in the * viewport. */ unstable_disableTether && { name: 'preventOverflow', options: { altAxis: unstable_disableTether === 'all', tether: false }, }, flipBoundary && { name: 'flip', options: { altBoundary: true, boundary: getBoundary(container, flipBoundary), }, }, overflowBoundary && { name: 'preventOverflow', options: { altBoundary: true, boundary: getBoundary(container, overflowBoundary), }, }, { name: 'onUpdate', enabled: true, phase: 'afterWrite' as ModifierPhases, fn: handleStateUpdate, }, autoSize && { // Similar code as popper-maxsize-modifier: path_to_url // popper-maxsize-modifier only calculates the max sizes. // This modifier can apply max sizes always, or apply the max sizes only when overflow is detected name: 'applyMaxSize', enabled: true, phase: 'beforeWrite' as ModifierPhases, requiresIfExists: ['offset', 'preventOverflow', 'flip'], options: { altBoundary: true, boundary: getBoundary(container, overflowBoundary), }, fn({ state, options: modifierOptions }: ModifierArguments<{}>) { const overflow = detectOverflow(state, modifierOptions); const { x, y } = state.modifiersData.preventOverflow || { x: 0, y: 0 }; const { width, height } = state.rects.popper; const [basePlacement] = state.placement.split('-'); const widthProp: keyof SideObject = basePlacement === 'left' ? 'left' : 'right'; const heightProp: keyof SideObject = basePlacement === 'top' ? 'top' : 'bottom'; const applyMaxWidth = autoSize === 'always' || autoSize === 'width-always' || (overflow[widthProp] > 0 && (autoSize === true || autoSize === 'width')); const applyMaxHeight = autoSize === 'always' || autoSize === 'height-always' || (overflow[heightProp] > 0 && (autoSize === true || autoSize === 'height')); if (applyMaxWidth) { state.styles.popper.maxWidth = `${width - overflow[widthProp] - x}px`; } if (applyMaxHeight) { state.styles.popper.maxHeight = `${height - overflow[heightProp] - y}px`; } }, }, /** * This modifier is necessary in order to render the pointer. Refs are resolved in effects, so it can't be * placed under computed modifiers. Deep merge is not required as this modifier has only these properties. */ { name: 'arrow', enabled: !!arrow, options: { element: arrow }, }, ].filter(Boolean); const popperOptions: Options = { modifiers, placement, strategy, onFirstUpdate: state => handleStateUpdate({ state }), }; return popperOptions; }, [ autoSize, flipBoundary, offsetModifier, overflowBoundary, placement, strategy, unstable_disableTether, unstable_pinned, userModifiers, // These can be skipped from deps as they will not ever change handleStateUpdate, popperOriginalPositionRef, ], ); } /** * Exposes Popper positioning API via React hook. Contains few important differences between an official "react-popper" * package: * - style attributes are applied directly on DOM to avoid re-renders * - refs changes and resolution is handled properly without re-renders * - contains a specific to React fix related to initial positioning when containers have components with managed focus * to avoid focus jumps * * @param {PopperOptions} options */ export function usePopper(options: PopperOptions = {}): { // React refs are supposed to be contravariant (allows a more general type to be passed rather than a more specific one) // However, Typescript currently can't infer that fact for refs // See path_to_url for more information targetRef: React.MutableRefObject<any>; containerRef: React.MutableRefObject<any>; arrowRef: React.MutableRefObject<any>; } { const { enabled = true } = options; const isFirstMount = useFirstMount(); const popperOriginalPositionRef = React.useRef<string>('absolute'); const resolvePopperOptions = usePopperOptions(options, popperOriginalPositionRef); const popperInstanceRef = React.useRef<PopperInstance | null>(null); const handlePopperUpdate = useEventCallback(() => { popperInstanceRef.current?.destroy(); popperInstanceRef.current = null; let popperInstance: PopperInstance | null = null; if (isBrowser() && enabled) { if (targetRef.current && containerRef.current) { popperInstance = createPopper( targetRef.current, containerRef.current, resolvePopperOptions(targetRef.current, containerRef.current, arrowRef.current), ); } } if (popperInstance) { /** * The patch updates `.forceUpdate()` Popper function which restores the original position before the first * forceUpdate() call. See also "positionStyleFix" modifier in usePopperOptions(). */ const originalForceUpdate = popperInstance.forceUpdate; popperInstance.isFirstRun = true; popperInstance.forceUpdate = () => { if (popperInstance.isFirstRun) { popperInstance.state.elements.popper.style['position'] = popperOriginalPositionRef.current; popperInstance.isFirstRun = false; } originalForceUpdate(); }; } popperInstanceRef.current = popperInstance; }); // Refs are managed by useCallbackRef() to handle ref updates scenarios. // // The first scenario are updates for a targetRef, we can handle it properly only via callback refs, but it causes // re-renders (we would like to avoid them). // // The second problem is related to refs resolution on React's layer: refs are resolved in the same order as effects // that causes an issue when you have a container inside a target, for example: a menu in ChatMessage. // // function ChatMessage(props) { // <div className="message" ref={targetRef}> // 3) ref will be resolved only now, but it's too late already // <Popper target={targetRef}> // 2) create a popper instance // <div className="menu" /> // 1) capture ref from this element // </Popper> // </div> // } // // Check a demo on CodeSandbox: path_to_url // // This again can be solved with callback refs. It's not a huge issue as with hooks we are moving popper's creation // to ChatMessage itself, however, without `useCallback()` refs it's still a Pandora box. const targetRef = useCallbackRef<HTMLElement | VirtualElement | null>(null, handlePopperUpdate, true); const containerRef = useCallbackRef<HTMLElement | null>(null, handlePopperUpdate, true); const arrowRef = useCallbackRef<HTMLElement | null>(null, handlePopperUpdate, true); React.useImperativeHandle( options.popperRef, () => ({ updatePosition: () => { popperInstanceRef.current?.update(); }, }), [], ); useIsomorphicLayoutEffect(() => { handlePopperUpdate(); return () => { popperInstanceRef.current?.destroy(); popperInstanceRef.current = null; }; }, [options.enabled]); useIsomorphicLayoutEffect(() => { if (!isFirstMount) { popperInstanceRef.current?.setOptions( resolvePopperOptions(targetRef.current, containerRef.current, arrowRef.current), ); } }, [resolvePopperOptions]); if (process.env.NODE_ENV !== 'production') { // This checked should run only in development mode // eslint-disable-next-line react-hooks/rules-of-hooks React.useEffect(() => { if (containerRef.current) { const contentNode = containerRef.current; const treeWalker = contentNode.ownerDocument?.createTreeWalker(contentNode, NodeFilter.SHOW_ELEMENT, { acceptNode: hasAutofocusFilter, }); while (treeWalker.nextNode()) { const node = treeWalker.currentNode; // eslint-disable-next-line no-console console.warn('<Popper>:', node); // eslint-disable-next-line no-console console.warn( [ '<Popper>: ^ this node contains "autoFocus" prop on a React element. This can break the initial', 'positioning of an element and cause a window jump effect. This issue occurs because React polyfills', '"autoFocus" behavior to solve inconsistencies between different browsers:', 'path_to_url#issuecomment-351787078', '\n', 'However, ".focus()" in this case occurs before any other React effects will be executed', '(React.useEffect(), componentDidMount(), etc.) and we can not prevent this behavior. If you really', 'want to use "autoFocus" please add "position: fixed" to styles of the element that is wrapped by', '"Popper".', `In general, it's not recommended to use "autoFocus" as it may break accessibility aspects:`, 'path_to_url '\n', 'We suggest to use the "trapFocus" prop on Fluent components or a catch "ref" and then use', '"ref.current.focus" in React.useEffect():', 'path_to_url#adding-a-ref-to-a-dom-element', ].join(' '), ); } } // We run this check once, no need to add deps here // TODO: Should be rework to handle options.enabled and contentRef updates // eslint-disable-next-line react-hooks/exhaustive-deps }, []); } return { targetRef, containerRef, arrowRef }; } ```
/content/code_sandbox/packages/fluentui/react-northstar/src/utils/positioner/usePopper.ts
xml
2016-06-06T15:03:44
2024-08-16T18:49:29
fluentui
microsoft/fluentui
18,221
3,530
```xml <?xml version="1.0" encoding="UTF-8"?> <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "path_to_url"> <plist version="1.0"> <dict> <key>NSExtension</key> <dict> <key>NSExtensionPointIdentifier</key> <string>com.apple.widgetkit-extension</string> </dict> <key>NSAppTransportSecurity</key> <dict> <key>NSAllowsArbitraryLoads</key> <true/> </dict> </dict> </plist> ```
/content/code_sandbox/Brand/Widget.plist
xml
2016-12-01T11:50:14
2024-08-16T18:43:54
ios
nextcloud/ios
1,920
130
```xml import * as pukka from 'pukka'; console.log(pukka); ```
/content/code_sandbox/playground/bundle/src/index.ts
xml
2016-10-28T10:37:16
2024-07-27T15:17:43
fuse-box
fuse-box/fuse-box
4,003
19
```xml import * as React from 'react' import classNames from 'classnames' import { Octicon } from '../octicons' import * as octicons from '../octicons/octicons.generated' import { CIStatus } from './ci-status' import { HighlightText } from '../lib/highlight-text' import { IMatches } from '../../lib/fuzzy-find' import { GitHubRepository } from '../../models/github-repository' import { Dispatcher } from '../dispatcher' import { dragAndDropManager } from '../../lib/drag-and-drop-manager' import { DropTargetType } from '../../models/drag-drop' import { getPullRequestCommitRef } from '../../models/pull-request' import { formatRelative } from '../../lib/format-relative' import { TooltippedContent } from '../lib/tooltipped-content' export interface IPullRequestListItemProps { /** The title. */ readonly title: string /** The number as received from the API. */ readonly number: number /** The date on which the PR was opened. */ readonly created: Date /** The author login. */ readonly author: string /** Whether or not the PR is in draft mode. */ readonly draft: boolean /** * Whether or not this list item is a skeleton item * put in place while the pull request information is * being loaded. This adds a special 'loading' class * to the container and prevents any text from rendering * inside the list item. */ readonly loading?: boolean /** The characters in the PR title to highlight */ readonly matches: IMatches readonly dispatcher: Dispatcher /** The GitHub repository to use when looking up commit status. */ readonly repository: GitHubRepository /** When a drag element has landed on a pull request */ readonly onDropOntoPullRequest: (prNumber: number) => void /** When mouse enters a PR */ readonly onMouseEnter: (prNumber: number, prListItemTop: number) => void /** When mouse leaves a PR */ readonly onMouseLeave: ( event: React.MouseEvent<HTMLDivElement, MouseEvent> ) => void } interface IPullRequestListItemState { readonly isDragInProgress: boolean } /** Pull requests as rendered in the Pull Requests list. */ export class PullRequestListItem extends React.Component< IPullRequestListItemProps, IPullRequestListItemState > { public constructor(props: IPullRequestListItemProps) { super(props) this.state = { isDragInProgress: false } } private getSubtitle() { if (this.props.loading === true) { return undefined } const timeAgo = formatRelative(this.props.created.getTime() - Date.now()) const subtitle = `#${this.props.number} opened ${timeAgo} by ${this.props.author}` return this.props.draft ? `${subtitle} Draft` : subtitle } private onMouseEnter = (e: React.MouseEvent) => { if (dragAndDropManager.isDragInProgress) { this.setState({ isDragInProgress: true }) dragAndDropManager.emitEnterDropTarget({ type: DropTargetType.Branch, branchName: this.props.title, }) } const { top } = e.currentTarget.getBoundingClientRect() this.props.onMouseEnter(this.props.number, top) } private onMouseLeave = ( event: React.MouseEvent<HTMLDivElement, MouseEvent> ) => { if (dragAndDropManager.isDragInProgress) { this.setState({ isDragInProgress: false }) dragAndDropManager.emitLeaveDropTarget() } this.props.onMouseLeave(event) } private onMouseUp = () => { if (dragAndDropManager.isDragInProgress) { this.setState({ isDragInProgress: false }) this.props.onDropOntoPullRequest(this.props.number) } } public render() { const title = this.props.loading === true ? undefined : this.props.title const subtitle = this.getSubtitle() const matches = this.props.matches const className = classNames('pull-request-item', { loading: this.props.loading === true, open: !this.props.draft, draft: this.props.draft, 'drop-target': this.state.isDragInProgress, }) return ( // eslint-disable-next-line jsx-a11y/no-static-element-interactions <div className={className} onMouseEnter={this.onMouseEnter} onMouseLeave={this.onMouseLeave} onMouseUp={this.onMouseUp} > <div> <Octicon className="icon" symbol={ this.props.draft ? octicons.gitPullRequestDraft : octicons.gitPullRequest } /> </div> <div className="info"> <TooltippedContent tagName="div" className="title" tooltip={title} onlyWhenOverflowed={true} > <HighlightText text={title || ''} highlight={matches.title} /> </TooltippedContent> <TooltippedContent tagName="div" className="subtitle" tooltip={subtitle} onlyWhenOverflowed={true} > <HighlightText text={subtitle || ''} highlight={matches.subtitle} /> </TooltippedContent> </div> {this.renderPullRequestStatus()} </div> ) } private renderPullRequestStatus() { const ref = getPullRequestCommitRef(this.props.number) return ( <div className="ci-status-container"> <CIStatus dispatcher={this.props.dispatcher} repository={this.props.repository} commitRef={ref} /> </div> ) } } ```
/content/code_sandbox/app/src/ui/branches/pull-request-list-item.tsx
xml
2016-05-11T15:59:00
2024-08-16T17:00:41
desktop
desktop/desktop
19,544
1,211
```xml <!-- --> <bean id="zebraDS" class="com.dianping.zebra.jdbc.DPDataSource" init-method="init"> <property name="dataSourcePool"> <map> <entry key="groupDataSource" value-ref="groupDataSource" /> <entry key="default" value-ref="groupDataSource" /> </map> </property> <property name="routerFactory"> <bean class="com.dianping.zebra.router.ClassPathXmlDataSourceRouterFactory"> <constructor-arg value="config/zebra-router/group-follownote-router.xml" /> </bean> </property> <property name="syncEventNotifier"> <bean class="com.dianping.zebra.sync.DefaultMQEventNotifier" init-method="init"> <property name="url" value="${zebra.sync.mongodb.url}" /> <property name="queueName" value="zebra-sync" /> </bean> </property> </bean> <!-- --> <bean id="zebraDS" class="com.dianping.zebra.jdbc.DPDataSource" init-method="init"> <property name="dataSourcePool"> <map> <entry key="groupDataSource" value-ref="groupDataSource" /> <entry key="default" value-ref="groupDataSource" /> </map> </property> <property name="routerFactory"> <bean class="com.dianping.zebra.router.ClassPathXmlDataSourceRouterFactory"> <constructor-arg value="config/zebra-router/group-follownote-router.xml" /> </bean> </property> <!-- --> <property name="migrateTask" ref="migrateTask"></property> <!-- --> <property name="swithOn" value="false"></property> <property name="originDataSource" ref="ds"></property> </bean> <!-- TODO --> <bean id="migrateTask" class="com.dianping.zebra.migrate.MigrateTask" init-method="init"> <property name="originalDs" ref="ds0" stop="false"> <list> <ref local="ds1" /> <ref local="ds2" /> </list> </property> <property name="replicatedDs" stop="false" /> <property name="" value=""></property> <property name="" value=""></property> </bean> ```
/content/code_sandbox/zebra-client/src/test/resources/replicate/config.xml
xml
2016-08-19T07:36:09
2024-08-15T17:36:47
Zebra
Meituan-Dianping/Zebra
2,744
541
```xml <?xml version="1.0" encoding="utf-8"?> <shape xmlns:android="path_to_url" android:shape="rectangle" android:visible="true"> <gradient android:angle="270" android:startColor="#231739" android:endColor="#06040a" /> </shape> ```
/content/code_sandbox/app/src/main/res/drawable/weather_background_thunder_night.xml
xml
2016-02-21T04:39:19
2024-08-16T13:35:51
GeometricWeather
WangDaYeeeeee/GeometricWeather
2,420
71
```xml import { Localized } from "@fluent/react/compat"; import React, { FunctionComponent } from "react"; import CLASSES from "coral-stream/classes"; import { RatingStarIcon, SvgIcon } from "coral-ui/components/icons"; import { Flex, Tag } from "coral-ui/components/v2"; import styles from "./FeaturedTag.css"; interface Props { collapsed?: boolean; topCommenterEnabled?: boolean | null; } const FeaturedTag: FunctionComponent<Props> = ({ collapsed, topCommenterEnabled, }) => { return collapsed ? ( <SvgIcon color="stream" filled="currentColor" Icon={RatingStarIcon} /> ) : ( <div> <Tag className={CLASSES.comment.topBar.featuredTag} color="streamBlue" variant="pill" > <Flex> {topCommenterEnabled && ( <SvgIcon className={styles.starIcon} size="xxs" Icon={RatingStarIcon} /> )} <Localized id="comments-featuredTag"> <span>Featured</span> </Localized> </Flex> </Tag> </div> ); }; export default FeaturedTag; ```
/content/code_sandbox/client/src/core/client/stream/tabs/Comments/Comment/FeaturedTag.tsx
xml
2016-10-31T16:14:05
2024-08-06T16:15:57
talk
coralproject/talk
1,881
260
```xml /* * @license Apache-2.0 * * * * path_to_url * * Unless required by applicable law or agreed to in writing, software * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. */ // TypeScript Version: 4.1 /** * Interface defining `isNonNegativeFinite` with methods for testing for primitives and objects, respectively. */ interface IsNonNegativeFinite { /** * Tests if a value is a nonnegative finite number. * * @param {*} value - value to test * @returns {boolean} boolean indicating whether value is a nonnegative finite number * * @example * var bool = isNonNegativeFinite( 5.0 ); * // returns true * * @example * var bool = isNonNegativeFinite( new Number( 5.0 ) ); * // returns true * * @example * var bool = isNonNegativeFinite( 3.14 ); * // returns true * * @example * var bool = isNonNegativeFinite( 1.0/0.0 ); * // returns false * * @example * var bool = isNonNegativeFinite( -5.0 ); * // returns false * * @example * var bool = isNonNegativeFinite( null ); * // returns false */ ( value: any ): boolean; /** * Tests if a value is a number primitive having a nonnegative finite value. * * @param {*} value - value to test * @returns {boolean} boolean indicating if a value is a number primitive having a nonnegative finite value * * @example * var bool = isNonNegativeNumber( 3.0 ); * // returns true * * @example * var bool = isNonNegativeNumber( new Number( 3.0 ) ); * // returns false * * @example * var bool = isNonNegativeFinite( new Number( -5.0 ) ); * // returns false * * @example * var bool = isNonNegativeFinite( 1.0/0.0 ); * // returns false */ isPrimitive( value: any ): boolean; /** * Tests if a value is a finite number object having a nonnegative value. * * @param {*} value - value to test * @returns {boolean} boolean indicating if a value is a number object having a nonnegative finite number value * * @example * var bool = isNonNegativeFinite( 3.0 ); * // returns false * * @example * var bool = isNonNegativeFinite( new Number( 3.0 ) ); * // returns true * * @example * var bool = isNonNegativeFinite( new Number( -5.0 ) ); * // returns false * * @example * var bool = isNonNegativeFinite( 1.0/0.0 ); * // returns false */ isObject( value: any ): boolean; } /** * Tests if a value is a nonnegative finite number. * * @param {*} value - value to test * @returns {boolean} boolean indicating whether value is a nonnegative finite number * * @example * var bool = isNonNegativeFinite( 5.0 ); * // returns true * * @example * var bool = isNonNegativeFinite( new Number( 5.0 ) ); * // returns true * * @example * var bool = isNonNegativeFinite( 3.14 ); * // returns true * * @example * var bool = isNonNegativeFinite( 1.0/0.0 ); * // returns false * * @example * var bool = isNonNegativeFinite( -5.0 ); * // returns false * * @example * var bool = isNonNegativeFinite( null ); * // returns false */ declare var isNonNegativeFinite: IsNonNegativeFinite; // EXPORTS // export = isNonNegativeFinite; ```
/content/code_sandbox/lib/node_modules/@stdlib/assert/is-nonnegative-finite/docs/types/index.d.ts
xml
2016-03-24T04:19:52
2024-08-16T09:03:19
stdlib
stdlib-js/stdlib
4,266
912
```xml <?xml version="1.0" encoding="UTF-8"?> <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "path_to_url"> <plist version="1.0"> <dict> <key>BuildMachineOSBuild</key> <string>16C67</string> <key>CFBundleIdentifier</key> <string>org.rehabman.injector.FakePCIID-Intel-HD-Graphics</string> <key>CFBundleInfoDictionaryVersion</key> <string>6.0</string> <key>CFBundleName</key> <string>FakePCIID_Intel_HD_Graphics</string> <key>CFBundlePackageType</key> <string>KEXT</string> <key>CFBundleShortVersionString</key> <string>1.3.4</string> <key>CFBundleSupportedPlatforms</key> <array> <string>MacOSX</string> </array> <key>CFBundleVersion</key> <string>1.3.4</string> <key>DTCompiler</key> <string>com.apple.compilers.llvm.clang.1_0</string> <key>DTPlatformBuild</key> <string>8C38</string> <key>DTPlatformVersion</key> <string>GM</string> <key>DTSDKBuild</key> <string>10M2518</string> <key>DTSDKName</key> <string>macosx10.6</string> <key>DTXcode</key> <string>0820</string> <key>DTXcodeBuild</key> <string>8C38</string> <key>IOKitPersonalities</key> <dict> <key>HD4200 HD4400 HD4600 P4600</key> <dict> <key>CFBundleIdentifier</key> <string>org.rehabman.driver.FakePCIID</string> <key>FakeProperties</key> <dict> <key>RM,device-id</key> <data> EgQAAA== </data> </dict> <key>IOClass</key> <string>FakePCIID</string> <key>IOMatchCategory</key> <string>FakePCIID</string> <key>IOPCIClassMatch</key> <string>0x03000000&amp;0xff000000</string> <key>IOPCIPrimaryMatch</key> <string>0x04128086 0x04168086 0x0a168086 0x0a1e8086 0x041e8086 0x041a8086</string> <key>IOProbeScore</key> <integer>9001</integer> <key>IOProviderClass</key> <string>IOPCIDevice</string> </dict> <key>HD510 HD515 HD520 HD530 P530</key> <dict> <key>CFBundleIdentifier</key> <string>org.rehabman.driver.FakePCIID</string> <key>FakeProperties</key> <dict> <key>RM,device-id</key> <data> EhkAAA== </data> </dict> <key>IOClass</key> <string>FakePCIID</string> <key>IOMatchCategory</key> <string>FakePCIID</string> <key>IOPCIClassMatch</key> <string>0x03000000&amp;0xff000000</string> <key>IOPCIPrimaryMatch</key> <string>0x19068086 0x19138086 0x191e8086 0x19168086 0x191b8086 0x19028086 0x191d8086</string> <key>IOProbeScore</key> <integer>9001</integer> <key>IOProviderClass</key> <string>IOPCIDevice</string> </dict> <key>Iris 540 Iris 550 Iris Pro 580</key> <dict> <key>CFBundleIdentifier</key> <string>org.rehabman.driver.FakePCIID</string> <key>FakeProperties</key> <dict> <key>RM,device-id</key> <data> FhkAAA== </data> </dict> <key>IOClass</key> <string>FakePCIID</string> <key>IOMatchCategory</key> <string>FakePCIID</string> <key>IOPCIClassMatch</key> <string>0x03000000&amp;0xff000000</string> <key>IOPCIPrimaryMatch</key> <string>0x19268086 0x19278086 0x193b8086</string> <key>IOProbeScore</key> <integer>9001</integer> <key>IOProviderClass</key> <string>IOPCIDevice</string> </dict> <key>P4000</key> <dict> <key>CFBundleIdentifier</key> <string>org.rehabman.driver.FakePCIID</string> <key>FakeProperties</key> <dict> <key>RM,device-id</key> <data> ZgEAAA== </data> </dict> <key>IOClass</key> <string>FakePCIID</string> <key>IOMatchCategory</key> <string>FakePCIID</string> <key>IOPCIClassMatch</key> <string>0x03000000&amp;0xff000000</string> <key>IOPCIPrimaryMatch</key> <string>0x01668086 0x016a8086</string> <key>IOProbeScore</key> <integer>9001</integer> <key>IOProviderClass</key> <string>IOPCIDevice</string> </dict> </dict> <key>OSBundleRequired</key> <string>Root</string> <key>Source Code</key> <string>path_to_url </dict> </plist> ```
/content/code_sandbox/Clover-Configs/Asus/FXPRO 6300 (GL552VW)/CLOVER/kexts/10.12/FakePCIID_Intel_HD_Graphics.kext/Contents/Info.plist
xml
2016-11-05T04:22:54
2024-08-12T19:25:53
Hackintosh-Installer-University
huangyz0918/Hackintosh-Installer-University
3,937
1,493
```xml <?xml version="1.0" encoding="utf-8"?> <manifest xmlns:android="path_to_url" package="com.mcxtzhang.myapplication"> <application android:allowBackup="true" android:icon="@mipmap/ic_launcher" android:label="@string/app_name" android:supportsRtl="true" android:theme="@style/AppTheme"> <activity android:name=".MainActivity"> <intent-filter> <action android:name="android.intent.action.MAIN"/> <category android:name="android.intent.category.LAUNCHER"/> </intent-filter> </activity> <activity android:name=".svg.SvgActivity"> </activity> </application> </manifest> ```
/content/code_sandbox/app/src/main/AndroidManifest.xml
xml
2016-11-03T08:32:26
2024-08-02T07:33:44
PathAnimView
mcxtzhang/PathAnimView
1,076
153
```xml import * as React from 'react'; import { SHA } from 'shared/models/Versioning/RepositoryData'; const ShortenedSHA = ({ sha, additionalClassName, }: { sha: SHA; additionalClassName?: string; }) => { return ( <span title={sha} className={additionalClassName}> {sha.slice(0, 7)} </span> ); }; export const shortenSHA = (sha: SHA) => sha.slice(0, 7); export default ShortenedSHA; ```
/content/code_sandbox/webapp/client/src/shared/view/domain/Versioning/ShortenedSHA/ShortenedSHA.tsx
xml
2016-10-19T01:07:26
2024-08-14T03:53:55
modeldb
VertaAI/modeldb
1,689
110
```xml /** * @license * * Use of this source code is governed by an MIT-style license that can be * found in the LICENSE file at path_to_url */ import {Directive, ElementRef, Inject} from '@angular/core'; import {DOCUMENT} from '@angular/common'; /** * A directive that makes a span editable and exposes functions to modify and retrieve the * element's contents. */ @Directive({ selector: 'span[matChipEditInput]', host: { 'class': 'mat-chip-edit-input', 'role': 'textbox', 'tabindex': '-1', 'contenteditable': 'true', }, standalone: true, }) export class MatChipEditInput { constructor( private readonly _elementRef: ElementRef, @Inject(DOCUMENT) private readonly _document: any, ) {} initialize(initialValue: string) { this.getNativeElement().focus(); this.setValue(initialValue); } getNativeElement(): HTMLElement { return this._elementRef.nativeElement; } setValue(value: string) { this.getNativeElement().textContent = value; this._moveCursorToEndOfInput(); } getValue(): string { return this.getNativeElement().textContent || ''; } private _moveCursorToEndOfInput() { const range = this._document.createRange(); range.selectNodeContents(this.getNativeElement()); range.collapse(false); const sel = window.getSelection()!; sel.removeAllRanges(); sel.addRange(range); } } ```
/content/code_sandbox/src/material/chips/chip-edit-input.ts
xml
2016-01-04T18:50:02
2024-08-16T11:21:13
components
angular/components
24,263
321
```xml /** * @license * * Use of this source code is governed by an MIT-style license that can be * found in the LICENSE file at path_to_url */ export interface Schema { /** Name of the project. */ project: string; /** Whether the Angular browser animations module should be included and enabled. */ animations: 'enabled' | 'disabled' | 'excluded'; /** Name of pre-built theme to install. */ theme: 'azure-blue' | 'rose-red' | 'magenta-violet' | 'cyan-orange' | 'custom'; /** Whether to set up global typography styles. */ typography: boolean; } ```
/content/code_sandbox/src/material/schematics/ng-add/schema.ts
xml
2016-01-04T18:50:02
2024-08-16T11:21:13
components
angular/components
24,263
139