diff --git a/api-openbis-java/source/java/ch/ethz/sis/openbis/generic/asapi/v3/dto/global/search/GlobalSearchCriteria.java b/api-openbis-java/source/java/ch/ethz/sis/openbis/generic/asapi/v3/dto/global/search/GlobalSearchCriteria.java index 28b04ac7235d87b1945212a1f84aa8062e7a9cf5..903d65c3c2d14a81d86c6ded86bc6fb5bdd9f41e 100644 --- a/api-openbis-java/source/java/ch/ethz/sis/openbis/generic/asapi/v3/dto/global/search/GlobalSearchCriteria.java +++ b/api-openbis-java/source/java/ch/ethz/sis/openbis/generic/asapi/v3/dto/global/search/GlobalSearchCriteria.java @@ -17,6 +17,7 @@ package ch.ethz.sis.openbis.generic.asapi.v3.dto.global.search; import ch.ethz.sis.openbis.generic.asapi.v3.dto.common.search.AbstractCompositeSearchCriteria; import ch.ethz.sis.openbis.generic.asapi.v3.dto.common.search.SearchCriteriaToStringBuilder; +import ch.ethz.sis.openbis.generic.asapi.v3.dto.common.search.SearchOperator; import ch.systemsx.cisd.base.annotation.JsonObject; /** @@ -43,6 +44,17 @@ public class GlobalSearchCriteria extends AbstractCompositeSearchCriteria return with(new GlobalSearchWildCardsCriteria()); } + public GlobalSearchCriteria withOrOperator() + { + return (GlobalSearchCriteria) withOperator(SearchOperator.OR); + } + + public GlobalSearchCriteria withAndOperator() + { + return (GlobalSearchCriteria) withOperator(SearchOperator.AND); + } + + @Override protected SearchCriteriaToStringBuilder createBuilder() { diff --git a/api-openbis-java/source/java/ch/ethz/sis/openbis/generic/dssapi/v3/dto/dataset/create/UploadedDataSetCreation.java b/api-openbis-java/source/java/ch/ethz/sis/openbis/generic/dssapi/v3/dto/dataset/create/UploadedDataSetCreation.java index e9833b851857e8b4f63833b46a15748300353699..1d530520aa73e7b7cd9540d144e0daf98116a0b1 100644 --- a/api-openbis-java/source/java/ch/ethz/sis/openbis/generic/dssapi/v3/dto/dataset/create/UploadedDataSetCreation.java +++ b/api-openbis-java/source/java/ch/ethz/sis/openbis/generic/dssapi/v3/dto/dataset/create/UploadedDataSetCreation.java @@ -21,6 +21,7 @@ import java.util.List; import java.util.Map; import ch.ethz.sis.openbis.generic.asapi.v3.dto.common.property.PropertiesDeserializer; + import com.fasterxml.jackson.annotation.JsonProperty; import ch.ethz.sis.openbis.generic.asapi.v3.dto.common.ObjectToString; @@ -30,6 +31,7 @@ import ch.ethz.sis.openbis.generic.asapi.v3.dto.entitytype.id.IEntityTypeId; import ch.ethz.sis.openbis.generic.asapi.v3.dto.experiment.id.IExperimentId; import ch.ethz.sis.openbis.generic.asapi.v3.dto.sample.id.ISampleId; import ch.systemsx.cisd.base.annotation.JsonObject; + import com.fasterxml.jackson.databind.annotation.JsonDeserialize; /** @@ -50,7 +52,7 @@ public class UploadedDataSetCreation implements ICreation private ISampleId sampleId; @JsonProperty - @JsonDeserialize(contentUsing = PropertiesDeserializer.class) + @JsonDeserialize(contentUsing = PropertiesDeserializer.class) private Map<String, Serializable> properties = new HashMap<String, Serializable>(); @JsonProperty @@ -99,6 +101,16 @@ public class UploadedDataSetCreation implements ICreation this.properties = properties; } + public Serializable getProperty(String propertyName) + { + return this.properties.get(propertyName); + } + + public void setProperty(String propertyName, Serializable propertyValue) + { + this.properties.put(propertyName, propertyValue); + } + public List<? extends IDataSetId> getParentIds() { return parentIds; diff --git a/api-openbis-javascript/src/v3/openbis.js b/api-openbis-javascript/src/v3/openbis.js index 020529fb0658d3533f1dc74697473a67138c70f6..fa10067c89bf56c87b42deec2e9d09ca6555fdf3 100644 --- a/api-openbis-javascript/src/v3/openbis.js +++ b/api-openbis-javascript/src/v3/openbis.js @@ -565,6 +565,9 @@ define([ 'jquery', 'util/Json', 'as/dto/datastore/search/DataStoreSearchCriteria }); } + /** + * @deprecated Use "createExternalDataManagementSystems" method instead. + */ this.createExternalDms = function(creations) { var thisFacade = this; return thisFacade._private.ajaxRequest({ @@ -580,6 +583,21 @@ define([ 'jquery', 'util/Json', 'as/dto/datastore/search/DataStoreSearchCriteria }); } + this.createExternalDataManagementSystems = function(creations) { + var thisFacade = this; + return thisFacade._private.ajaxRequest({ + url : openbisUrl, + data : { + "method" : "createExternalDataManagementSystems", + "params" : [ thisFacade._private.sessionToken, creations ] + }, + returnType : { + name : "List", + arguments : [ "ExternalDmsPermId" ] + } + }); + } + this.createSamples = function(creations) { var thisFacade = this; return thisFacade._private.ajaxRequest({ @@ -2394,7 +2412,12 @@ define([ 'jquery', 'util/Json', 'as/dto/datastore/search/DataStoreSearchCriteria this.getDataStoreFacade = function() { var dataStoreCodes = []; for (var i = 0; i < arguments.length; i++) { - dataStoreCodes.push(arguments[i]); + var argument = arguments[i] + if(Array.isArray(argument)) { + Array.prototype.push.apply(dataStoreCodes, argument) + } else { + dataStoreCodes.push(argument); + } } return new dataStoreFacade(this, dataStoreCodes); } diff --git a/api-openbis-typescript/build.gradle b/api-openbis-typescript/build.gradle index ea9d67608b978d8a0cc88830fe97640f6bd171e1..05dbf637d69f5bbd6d4b8105b2ffea45d5d9ccde 100644 --- a/api-openbis-typescript/build.gradle +++ b/api-openbis-typescript/build.gradle @@ -27,8 +27,7 @@ generateTypeScript { classPatterns = [ 'ch.ethz.sis.openbis.generic.asapi.v3.dto.**', 'ch.ethz.sis.openbis.generic.dssapi.v3.dto.**', - 'ch.ethz.sis.openbis.generic.typescript.OpenBISJavaScriptFacade', - 'ch.ethz.sis.openbis.generic.typescript.OpenBISJavaScriptDSSFacade' + 'ch.ethz.sis.openbis.generic.typescript.dto.**' ] excludeClassPatterns = [ "ch.ethz.sis.openbis.generic.asapi.v3.IApplicationServerApi", @@ -39,8 +38,10 @@ generateTypeScript { outputKind = 'module' outputFileType = 'declarationFile' namespace = 'openbis' + customTypeMappings = [ + "java.util.Date:number" + ] customTypeNaming = [ - "ch.ethz.sis.openbis.generic.typescript.OpenBISJavaScriptFacade:openbis", "ch.ethz.sis.openbis.generic.asapi.v3.dto.pat.search.PersonalAccessTokenSessionNameSearchCriteria:as_dto_pat_search_PersonalAccessTokenSessionNameSearchCriteria", "ch.ethz.sis.openbis.generic.asapi.v3.dto.session.search.PersonalAccessTokenSessionNameSearchCriteria:as_dto_session_search_PersonalAccessTokenSessionNameSearchCriteria", "ch.ethz.sis.openbis.generic.asapi.v3.dto.externaldms.search.ExternalDmsSearchCriteria:as_dto_externaldms_search_ExternalDmsSearchCriteria", diff --git a/api-openbis-typescript/source/java/ch/ethz/sis/openbis/generic/typescript/OpenBISExtension.java b/api-openbis-typescript/source/java/ch/ethz/sis/openbis/generic/typescript/OpenBISExtension.java index 7eab516c92ee1ed2b9faa332c46f5f272eaec789..9d53120d04b70379dda41db128c5d4131b55ae8c 100644 --- a/api-openbis-typescript/source/java/ch/ethz/sis/openbis/generic/typescript/OpenBISExtension.java +++ b/api-openbis-typescript/source/java/ch/ethz/sis/openbis/generic/typescript/OpenBISExtension.java @@ -32,6 +32,7 @@ import java.util.Comparator; import java.util.List; import java.util.stream.Collectors; +import com.google.common.base.Strings; import com.google.common.reflect.TypeToken; import ch.systemsx.cisd.base.annotation.JsonObject; @@ -73,6 +74,8 @@ public class OpenBISExtension extends Extension private static TsType resolveType(ProcessingContext processingContext, TsBeanModel bean, Type type) { + type = convertByteArrayToString(type); + TypeToken<?> typeToken = TypeToken.of(bean.getOrigin()).resolveType(type); TypeProcessor.Context context = new TypeProcessor.Context(processingContext.getSymbolTable(), processingContext.getLocalProcessor(), null); TsType tsType = context.processType(typeToken.getType()).getTsType(); @@ -85,7 +88,7 @@ public class OpenBISExtension extends Extension } } - return tsType; + return convertDateToNumber(tsType); } private static List<TsType.GenericVariableType> resolveTypeParameters(ProcessingContext processingContext, TsBeanModel bean, @@ -122,6 +125,49 @@ public class OpenBISExtension extends Extension return tsTypeParameters; } + private static Type convertByteArrayToString(Type type) + { + if (type instanceof Class<?>) + { + Class<?> clazz = (Class<?>) type; + if (clazz.isArray() && clazz.getComponentType().equals(byte.class)) + { + return String.class; + } + } + return type; + } + + private static TsType convertDateToNumber(TsType tsType) + { + if (TsType.Date.equals(tsType)) + { + return TsType.Number; + } + + if (tsType instanceof TsType.BasicArrayType) + { + TsType elementType = ((TsType.BasicArrayType) tsType).elementType; + return new TsType.BasicArrayType(convertDateToNumber(elementType)); + } + + if (tsType instanceof TsType.GenericReferenceType) + { + List<TsType> typeArguments = ((TsType.GenericReferenceType) tsType).typeArguments; + if (typeArguments != null && !typeArguments.isEmpty()) + { + List<TsType> newTypeArguments = new ArrayList<>(); + for (TsType typeArgument : typeArguments) + { + newTypeArguments.add(convertDateToNumber(typeArgument)); + } + return new TsType.GenericReferenceType(((TsType.GenericReferenceType) tsType).symbol, newTypeArguments); + } + } + + return tsType; + } + @Override public EmitterExtensionFeatures getFeatures() { @@ -200,12 +246,12 @@ public class OpenBISExtension extends Extension for (TsBeanModel tsBean : model.getBeans()) { JsonObject tsBeanJsonObject = tsBean.getOrigin().getAnnotation(JsonObject.class); + TypeScriptObject tsBeanTypeScriptObject = tsBean.getOrigin().getAnnotation(TypeScriptObject.class); - if (tsBeanJsonObject == null && !tsBean.getOrigin().equals(OpenBISJavaScriptFacade.class) && !tsBean.getOrigin() - .equals(OpenBISJavaScriptDSSFacade.class)) + if (tsBeanJsonObject == null && tsBeanTypeScriptObject == null) { - logger.info("Skipping bean " + tsBean.getOrigin().getName() + " as it is missing " + JsonObject.class.getSimpleName() - + " annotation."); + logger.info("Skipping bean " + tsBean.getOrigin().getName() + " as it is missing both " + JsonObject.class.getSimpleName() + + " and " + TypeScriptObject.class + " annotations."); continue; } @@ -214,6 +260,16 @@ public class OpenBISExtension extends Extension List<TsType.GenericVariableType> tsBeanTypeParametersWithoutBounds = resolveTypeParameters(processingContext, tsBean, tsBean.getOrigin().getTypeParameters(), false); + String tsBeanAdditionalName = null; + + if (tsBeanJsonObject != null) + { + tsBeanAdditionalName = tsBeanJsonObject.value().replaceAll("\\.", "_"); + } else + { + tsBeanAdditionalName = tsBeanTypeScriptObject.value(); + } + List<TsMethodModel> tsBeanMethods = new ArrayList<>(); for (Method method : tsBean.getOrigin().getMethods()) @@ -304,6 +360,26 @@ public class OpenBISExtension extends Extension } } + /* + + Generate part (if there are constructors): + + interface XConstructor { + new <T>(p:string): X<T> + } + + bundle { + ... + X:XConstructor, + a_b_c_X:XConstructor + ... + } + + export const X:XConstructor + export const a_b_c_X:XConstructor + + */ + if (!tsConstructors.isEmpty()) { String tsConstructorBeanName = tsBean.getName().getSimpleName() + "Constructor"; @@ -322,34 +398,37 @@ public class OpenBISExtension extends Extension new TsHelper( Collections.singletonList("export const " + tsBean.getName().getSimpleName() + ":" + tsConstructorBeanName))); - if (tsBeanJsonObject != null) + if (!Strings.isNullOrEmpty(tsBeanAdditionalName) && !tsBeanAdditionalName.equals(tsBean.getName().getSimpleName())) { - String tsBeanJsonName = tsBeanJsonObject.value().replaceAll("\\.", "_"); + tsBundleProperties.add(new TsPropertyModel(tsBeanAdditionalName, + new TsType.ReferenceType(new Symbol(tsConstructorBeanName)), null, true, null)); - if (!tsBeanJsonName.equals(tsBean.getName().getSimpleName())) - { - tsBundleProperties.add(new TsPropertyModel(tsBeanJsonName, - new TsType.ReferenceType(new Symbol(tsConstructorBeanName)), null, true, null)); + tsHelpers.add(new TsHelper(Collections.singletonList("export const " + tsBeanAdditionalName + ":" + tsConstructorBeanName))); + } + } - tsHelpers.add(new TsHelper(Collections.singletonList("export const " + tsBeanJsonName + ":" + tsConstructorBeanName))); + /* - if (tsBeanTypeParametersWithBounds.isEmpty()) - { - tsHelpers.add( - new TsHelper(Collections.singletonList("type " + tsBeanJsonName + " = " + tsBean.getName().getSimpleName()))); - } else - { - String tsBeanTypeParametersWithBoundsString = - tsBeanTypeParametersWithBounds.stream().map(TsType::toString).collect(Collectors.joining(",")); - String tsBeanTypeParametersWithoutBoundsString = - tsBeanTypeParametersWithoutBounds.stream().map(TsType::toString).collect(Collectors.joining(",")); - - tsHelpers.add(new TsHelper(Collections.singletonList( - "type " + tsBeanJsonName + "<" + tsBeanTypeParametersWithBoundsString + "> = " + tsBean.getName() - .getSimpleName() + "<" + tsBeanTypeParametersWithoutBoundsString + ">"))); - } - } - } + Generate part (with or without generic parameters): + + type a_b_c_X<T> = X<T> + + */ + + if (tsBeanTypeParametersWithBounds.isEmpty()) + { + tsHelpers.add( + new TsHelper(Collections.singletonList("type " + tsBeanAdditionalName + " = " + tsBean.getName().getSimpleName()))); + } else + { + String tsBeanTypeParametersWithBoundsString = + tsBeanTypeParametersWithBounds.stream().map(TsType::toString).collect(Collectors.joining(",")); + String tsBeanTypeParametersWithoutBoundsString = + tsBeanTypeParametersWithoutBounds.stream().map(TsType::toString).collect(Collectors.joining(",")); + + tsHelpers.add(new TsHelper(Collections.singletonList( + "type " + tsBeanAdditionalName + "<" + tsBeanTypeParametersWithBoundsString + "> = " + tsBean.getName() + .getSimpleName() + "<" + tsBeanTypeParametersWithoutBoundsString + ">"))); } tsBeanMethods.sort(Comparator.comparing(TsMethodModel::getName).thenComparing(m -> m.getParameters().size()) @@ -427,14 +506,32 @@ public class OpenBISExtension extends Extension for (TsEnumModel tsEnum : model.getOriginalStringEnums()) { JsonObject tsEnumJsonObject = tsEnum.getOrigin().getAnnotation(JsonObject.class); + TypeScriptObject tsEnumTypeScriptObject = tsEnum.getOrigin().getAnnotation(TypeScriptObject.class); - if (tsEnumJsonObject == null) + if (tsEnumJsonObject == null && tsEnumTypeScriptObject == null) { - logger.info("Skipping enum " + tsEnum.getOrigin().getName() + " as it is missing " + JsonObject.class.getSimpleName() - + " annotation."); + logger.info("Skipping enum " + tsEnum.getOrigin().getName() + " as it is missing both " + JsonObject.class.getSimpleName() + + " and " + TypeScriptObject.class + " annotations."); continue; } + /* + + Generate part: + + interface XObject { + VALUE1:X, + VALUE2:X + } + + bundle { + ... + X:XObject, + ... + } + + */ + String tsEnumObjectBeanName = tsEnum.getName().getSimpleName() + "Object"; List<TsPropertyModel> tsEnumObjectBeanProperties = new ArrayList<>(); List<String> tsEnumConstProperties = new ArrayList<>(); @@ -459,24 +556,59 @@ public class OpenBISExtension extends Extension tsBundleProperties.add(new TsPropertyModel(tsEnum.getName().getSimpleName(), new TsType.ReferenceType(new Symbol(tsEnumObjectBeanName)), null, true, null)); + /* + + Generate part: + + const X = { + VALUE1 : "VALUE1", + VALUE2 : "VALUE2" + } as const + + type X = typeof X[keyof typeof X]; + + */ + tsHelpers.add(new TsHelper( - Collections.singletonList("const " + tsEnum.getName().getSimpleName() + " = {\n" + String.join(",\n", tsEnumConstProperties) + "} as const"))); + Collections.singletonList( + "const " + tsEnum.getName().getSimpleName() + " = {\n" + String.join(",\n", tsEnumConstProperties) + "} as const"))); tsHelpers.add(new TsHelper(Collections.singletonList( "type " + tsEnum.getName().getSimpleName() + " = typeof " + tsEnum.getName().getSimpleName() + "[keyof typeof " + tsEnum.getName().getSimpleName() + "]"))); - String tsEnumJsonName = tsEnumJsonObject.value().replaceAll("\\.", "_"); + String tsEnumAdditionalName = tsEnumJsonObject.value().replaceAll("\\.", "_"); + + /* + + Generate part: + + const a_b_c_X = { + VALUE1 : "VALUE1", + VALUE2 : "VALUE2" + } as const + + type a_b_c_X = typeof a_b_c_X[keyof typeof a_b_c_X]; + + + bundle { + ... + a_b_c_X:XObject + ... + } + + */ - if (!tsEnumJsonName.equals(tsEnum.getName().getSimpleName())) + if (!tsEnumAdditionalName.equals(tsEnum.getName().getSimpleName())) { - tsBundleProperties.add(new TsPropertyModel(tsEnumJsonName, + tsBundleProperties.add(new TsPropertyModel(tsEnumAdditionalName, new TsType.ReferenceType(new Symbol(tsEnumObjectBeanName)), null, true, null)); tsHelpers.add( - new TsHelper(Collections.singletonList("const " + tsEnumJsonName + " = {\n" + String.join(",\n", tsEnumConstProperties) + "} as const"))); + new TsHelper(Collections.singletonList( + "const " + tsEnumAdditionalName + " = {\n" + String.join(",\n", tsEnumConstProperties) + "} as const"))); tsHelpers.add(new TsHelper(Collections.singletonList( - "type " + tsEnumJsonName + " = typeof " + tsEnumJsonName + "[keyof typeof " - + tsEnumJsonName + "]"))); + "type " + tsEnumAdditionalName + " = typeof " + tsEnumAdditionalName + "[keyof typeof " + + tsEnumAdditionalName + "]"))); } } diff --git a/api-openbis-typescript/source/java/ch/ethz/sis/openbis/generic/typescript/TypeScriptObject.java b/api-openbis-typescript/source/java/ch/ethz/sis/openbis/generic/typescript/TypeScriptObject.java new file mode 100644 index 0000000000000000000000000000000000000000..719239bdbdb345217e53f466f619442b6ce30ab5 --- /dev/null +++ b/api-openbis-typescript/source/java/ch/ethz/sis/openbis/generic/typescript/TypeScriptObject.java @@ -0,0 +1,13 @@ +package ch.ethz.sis.openbis.generic.typescript; + +import java.lang.annotation.ElementType; +import java.lang.annotation.Retention; +import java.lang.annotation.RetentionPolicy; +import java.lang.annotation.Target; + +@Target({ ElementType.TYPE }) +@Retention(RetentionPolicy.RUNTIME) +public @interface TypeScriptObject +{ + public String value() default ""; +} diff --git a/api-openbis-typescript/source/java/ch/ethz/sis/openbis/generic/typescript/OpenBISJavaScriptDSSFacade.java b/api-openbis-typescript/source/java/ch/ethz/sis/openbis/generic/typescript/dto/OpenBISJavaScriptDSSFacade.java similarity index 78% rename from api-openbis-typescript/source/java/ch/ethz/sis/openbis/generic/typescript/OpenBISJavaScriptDSSFacade.java rename to api-openbis-typescript/source/java/ch/ethz/sis/openbis/generic/typescript/dto/OpenBISJavaScriptDSSFacade.java index ba49b42d3f5a9ad471602c62fa6a1398b7537d24..4c398ac9b6989ab610e19b2fa776b4b2e5d3bc65 100644 --- a/api-openbis-typescript/source/java/ch/ethz/sis/openbis/generic/typescript/OpenBISJavaScriptDSSFacade.java +++ b/api-openbis-typescript/source/java/ch/ethz/sis/openbis/generic/typescript/dto/OpenBISJavaScriptDSSFacade.java @@ -1,4 +1,4 @@ -package ch.ethz.sis.openbis.generic.typescript; +package ch.ethz.sis.openbis.generic.typescript.dto; import java.io.InputStream; import java.util.List; @@ -17,11 +17,16 @@ import ch.ethz.sis.openbis.generic.dssapi.v3.dto.datasetfile.id.IDataSetFileId; import ch.ethz.sis.openbis.generic.dssapi.v3.dto.datasetfile.search.DataSetFileSearchCriteria; import ch.ethz.sis.openbis.generic.dssapi.v3.dto.service.CustomDSSServiceExecutionOptions; import ch.ethz.sis.openbis.generic.dssapi.v3.dto.service.id.ICustomDSSServiceId; +import ch.ethz.sis.openbis.generic.typescript.TypeScriptMethod; +import ch.ethz.sis.openbis.generic.typescript.TypeScriptObject; +@TypeScriptObject public class OpenBISJavaScriptDSSFacade implements IDataStoreServerApi { - private OpenBISJavaScriptDSSFacade(){} + private OpenBISJavaScriptDSSFacade() + { + } @TypeScriptMethod @Override public SearchResult<DataSetFile> searchFiles(final String sessionToken, final DataSetFileSearchCriteria searchCriteria, @@ -64,7 +69,14 @@ public class OpenBISJavaScriptDSSFacade implements IDataStoreServerApi } @TypeScriptMethod(sessionToken = false) - public String uploadFilesWorkspaceDSS(List<Object> files){ + public String uploadFilesWorkspaceDSS(List<Object> files) + { + return null; + } + + @TypeScriptMethod(sessionToken = false) + public CreateDataSetUploadResult createDataSetUpload(String dataSetType) + { return null; } @@ -79,4 +91,23 @@ public class OpenBISJavaScriptDSSFacade implements IDataStoreServerApi { return 0; } + + @TypeScriptObject + public static class CreateDataSetUploadResult + { + public String getId() + { + return null; + } + + public String getUrl(String folderPath, boolean ignoreFilePath) + { + return null; + } + + public String getDataSetType() + { + return null; + } + } } diff --git a/api-openbis-typescript/source/java/ch/ethz/sis/openbis/generic/typescript/OpenBISJavaScriptFacade.java b/api-openbis-typescript/source/java/ch/ethz/sis/openbis/generic/typescript/dto/OpenBISJavaScriptFacade.java similarity index 99% rename from api-openbis-typescript/source/java/ch/ethz/sis/openbis/generic/typescript/OpenBISJavaScriptFacade.java rename to api-openbis-typescript/source/java/ch/ethz/sis/openbis/generic/typescript/dto/OpenBISJavaScriptFacade.java index 171da9168c268587169ec2fd116c6dcdd75f6e13..6aacab7c077ffc1880f4037f7ff5b72a87f073af 100644 --- a/api-openbis-typescript/source/java/ch/ethz/sis/openbis/generic/typescript/OpenBISJavaScriptFacade.java +++ b/api-openbis-typescript/source/java/ch/ethz/sis/openbis/generic/typescript/dto/OpenBISJavaScriptFacade.java @@ -1,4 +1,4 @@ -package ch.ethz.sis.openbis.generic.typescript; +package ch.ethz.sis.openbis.generic.typescript.dto; import java.util.List; import java.util.Map; @@ -250,7 +250,10 @@ import ch.ethz.sis.openbis.generic.asapi.v3.dto.vocabulary.search.VocabularySear import ch.ethz.sis.openbis.generic.asapi.v3.dto.vocabulary.search.VocabularyTermSearchCriteria; import ch.ethz.sis.openbis.generic.asapi.v3.dto.vocabulary.update.VocabularyTermUpdate; import ch.ethz.sis.openbis.generic.asapi.v3.dto.vocabulary.update.VocabularyUpdate; +import ch.ethz.sis.openbis.generic.typescript.TypeScriptMethod; +import ch.ethz.sis.openbis.generic.typescript.TypeScriptObject; +@TypeScriptObject("openbis") public class OpenBISJavaScriptFacade implements IApplicationServerApi { @@ -264,7 +267,7 @@ public class OpenBISJavaScriptFacade implements IApplicationServerApi } @TypeScriptMethod(sessionToken = false, async = false) - public OpenBISJavaScriptDSSFacade getDataStoreFacade(String dataStoreCode){ + public OpenBISJavaScriptDSSFacade getDataStoreFacade(String[] dataStoreCodes){ return null; } diff --git a/core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/core-plugin.properties b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/core-plugin.properties similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/core-plugin.properties rename to core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/core-plugin.properties diff --git a/core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/initialize-master-data.py b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/initialize-master-data.py similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/initialize-master-data.py rename to core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/initialize-master-data.py diff --git a/core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/imaging-test-data-model.xls b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/imaging-test-data-model.xls similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/imaging-test-data-model.xls rename to core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/imaging-test-data-model.xls diff --git a/core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/data/didv_00063.dat b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/data/didv_00063.dat similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/data/didv_00063.dat rename to core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/data/didv_00063.dat diff --git a/core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/data/didv_00064.dat b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/data/didv_00064.dat similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/data/didv_00064.dat rename to core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/data/didv_00064.dat diff --git a/core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/data/didv_00065.dat b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/data/didv_00065.dat similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/data/didv_00065.dat rename to core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/data/didv_00065.dat diff --git a/core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/data/didv_00066.dat b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/data/didv_00066.dat similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/data/didv_00066.dat rename to core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/data/didv_00066.dat diff --git a/core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/data/didv_00067.dat b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/data/didv_00067.dat similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/data/didv_00067.dat rename to core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/data/didv_00067.dat diff --git a/core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/data/didv_00068.dat b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/data/didv_00068.dat similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/data/didv_00068.dat rename to core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/data/didv_00068.dat diff --git a/core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/data/didv_00069.dat b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/data/didv_00069.dat similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/data/didv_00069.dat rename to core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/data/didv_00069.dat diff --git a/core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/data/didv_00070.dat b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/data/didv_00070.dat similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/data/didv_00070.dat rename to core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/data/didv_00070.dat diff --git a/core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/data/img_0150.sxm b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/data/img_0150.sxm similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/data/img_0150.sxm rename to core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/data/img_0150.sxm diff --git a/core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/data/img_0151.sxm b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/data/img_0151.sxm similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/data/img_0151.sxm rename to core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/data/img_0151.sxm diff --git a/core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/data/img_0152.sxm b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/data/img_0152.sxm similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/data/img_0152.sxm rename to core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/data/img_0152.sxm diff --git a/core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/data/img_0153.sxm b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/data/img_0153.sxm similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/data/img_0153.sxm rename to core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/data/img_0153.sxm diff --git a/core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/data/img_0154.sxm b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/data/img_0154.sxm similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/data/img_0154.sxm rename to core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/data/img_0154.sxm diff --git a/core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/imaging.py b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/imaging.py similarity index 96% rename from core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/imaging.py rename to core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/imaging.py index e906d451f1d0e8e8e110f464a4be7fa73951aa3c..f2150d4c0bfe7a454ce7550f9ebacc2a3fb59ef0 100644 --- a/core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/imaging.py +++ b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/imaging.py @@ -1,4 +1,4 @@ -# Copyright ETH 2023 Zürich, Scientific IT Services +# Copyright ETH 2023 - 2024 Zürich, Scientific IT Services # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. @@ -11,20 +11,7 @@ # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. -# -# -# Licensed under the Apache License, Version 2.0 (the "License"); -# you may not use this file except in compliance with the License. -# You may obtain a copy of the License at -# -# http://www.apache.org/licenses/LICENSE-2.0 -# -# Unless required by applicable law or agreed to in writing, software -# distributed under the License is distributed on an "AS IS" BASIS, -# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. -# See the License for the specific language governing permissions and -# limitations under the License. -# + from pybis import Openbis import abc diff --git a/core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/nanonis_importer.py b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/nanonis_importer.py similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/nanonis_importer.py rename to core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/nanonis_importer.py diff --git a/core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/spmpy_terry.py b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/spmpy_terry.py similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging-test-data/1/as/master-data/nanonis_example/spmpy_terry.py rename to core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/as/master-data/nanonis_example/spmpy_terry.py diff --git a/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/README.md b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/README.md new file mode 100644 index 0000000000000000000000000000000000000000..21ccd17dc3db7d3c7cc4a8afdb67ccaa3de27eff --- /dev/null +++ b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/README.md @@ -0,0 +1,30 @@ +# Custom imaging adapters configuration + + +In order to create custom adapters you need to do following things: + +1. Create a new DSS-service core-plugin and enable it in the main core-plugin.properties +2. Write java classes([*](#generic-imaging-technology-jar)), it must either: + * implement ch.ethz.sis.openbis.generic.server.dss.plugins.imaging.adaptor.IImagingDataSetAdaptor interface + * extend a class that does it (e.g. ch.ethz.sis.openbis.generic.server.dss.plugins.imaging.adaptor.ImagingDataSetAbstractPythonAdaptor) +3. Compile it into .jar file and drop it in the lib directory (e.g. imaging-nanonis/1/dss/services/imaging-nanonis/lib/my_custom_adapters.jar) +4. Create plugin.properties - it can be empty +5. (*Optional*) if your class makes use of java.util.Properties, you have to add them to the service.properties of the DSS with a prefix `imaging`, e.g: + ```properties + imaging.nanonis.my-python-script-path=${core-plugins-folder}/path/to/the/script/in/my/newly/created/plugin/script.py + ``` + + + + +# Development environment notes +Please remember to link jar files in the compilation paths of the DSS in the build.gradle: +```java + datastoreExecRuntime files("../core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/openBIS-imaging-technology.jar"), + files("../core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters.jar") +``` + + +### Generic Imaging Technology jar +To access GenericImagingTechnology classes for custom adapter compilation, you need to link technology jar: +core-plugin-openbis/dist/core-plugins/imaging/`VERSION_NUMBER`/dss/services/imaging/lib/openBIS-imaging-technology.jar diff --git a/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters-sources/build.gradle b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters-sources/build.gradle new file mode 100644 index 0000000000000000000000000000000000000000..bb12e962398761dfcf8fec159e400d3a73df7743 --- /dev/null +++ b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters-sources/build.gradle @@ -0,0 +1,58 @@ +plugins { + id "com.github.node-gradle.node" version "3.2.1" +} + +apply from: 'javaproject.gradle' +apply from: 'repository.gradle' + + +dependencies { + + api files("../../../../../../../imaging/1/dss/services/imaging/lib/openBIS-imaging-technology.jar") + + implementation 'fasterxml:jackson-annotations:2.9.10', + 'fasterxml:jackson-core:2.9.10', + 'fasterxml:jackson-databind:2.9.10.8', + 'fasterxml:jackson-datatype-jsr310:2.9.10' + + testImplementation 'junit:junit:4.10', + 'testng:testng:6.8-CISD' + + testRuntimeOnly 'hamcrest:hamcrest-core:1.3' + +} + +sourceSets { + main { + resources { + srcDirs = ['source/java/*'] + } + } + test { + resources { + srcDirs = ['sourceTest/java'] + } + } +} + + +def premiseAdaptersName = 'premise-adapters.jar' +jar { + dependsOn compileJava + archiveName premiseAdaptersName + includeEmptyDirs false +} + + +task premiseAdaptersJar(type: Copy) { + dependsOn jar + from("${project.buildDir}/libs/${premiseAdaptersName}") + into ".." +} + + + + + + + diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/gradle/wrapper/gradle-wrapper.jar b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters-sources/gradle/wrapper/gradle-wrapper.jar similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/gradle/wrapper/gradle-wrapper.jar rename to core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters-sources/gradle/wrapper/gradle-wrapper.jar diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/gradle/wrapper/gradle-wrapper.properties b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters-sources/gradle/wrapper/gradle-wrapper.properties similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/gradle/wrapper/gradle-wrapper.properties rename to core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters-sources/gradle/wrapper/gradle-wrapper.properties diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/gradlew b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters-sources/gradlew similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/gradlew rename to core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters-sources/gradlew diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/gradlew.bat b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters-sources/gradlew.bat similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/gradlew.bat rename to core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters-sources/gradlew.bat diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/javaproject.gradle b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters-sources/javaproject.gradle similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/javaproject.gradle rename to core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters-sources/javaproject.gradle diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/repository.gradle b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters-sources/repository.gradle similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/repository.gradle rename to core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters-sources/repository.gradle diff --git a/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters-sources/settings.gradle b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters-sources/settings.gradle new file mode 100644 index 0000000000000000000000000000000000000000..918f2132d5239a7ef352a33cd36570f7cd4c0d84 --- /dev/null +++ b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters-sources/settings.gradle @@ -0,0 +1,8 @@ +def includes = [ +// add openbis project names here, if needed +] + +includes.forEach { name -> + includeFlat(name) + project(":${name}").projectDir = new File("../../../../../../../../../../${name}") +} \ No newline at end of file diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/NanonisDatAdaptor.java b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/NanonisDatAdaptor.java similarity index 77% rename from core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/NanonisDatAdaptor.java rename to core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/NanonisDatAdaptor.java index 7fc9f61c03c4a30bcb9a8bfd9645cebadcef8157..5b44f29d43535541dcedde6943d0924916957ed7 100644 --- a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/NanonisDatAdaptor.java +++ b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/NanonisDatAdaptor.java @@ -1,5 +1,5 @@ /* - * Copyright ETH 2023 Zürich, Scientific IT Services + * Copyright ETH 2023 - 2024 Zürich, Scientific IT Services * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. @@ -17,16 +17,14 @@ package ch.ethz.sis.openbis.generic.server.dss.plugins.imaging.adaptor; -import ch.systemsx.cisd.common.exceptions.UserFailureException; - import java.nio.file.Files; import java.nio.file.Path; import java.nio.file.Paths; import java.util.Properties; -public class NanonisDatAdaptor extends ImagingDataSetPythonAdaptor +public class NanonisDatAdaptor extends ImagingDataSetAbstractPythonAdaptor { - private final String DAT_SCRIPT_PROPERTY = "nanonis-dat"; + static final String DAT_SCRIPT_PROPERTY = "nanonis.dat-script-path"; public NanonisDatAdaptor(Properties properties) @@ -35,13 +33,13 @@ public class NanonisDatAdaptor extends ImagingDataSetPythonAdaptor String scriptProperty = properties.getProperty(DAT_SCRIPT_PROPERTY, ""); if (scriptProperty.trim().isEmpty()) { - throw new UserFailureException( + throw new IllegalArgumentException( "There is no script path property called '" + DAT_SCRIPT_PROPERTY + "' defined for this adaptor!"); } Path script = Paths.get(scriptProperty); if (!Files.exists(script)) { - throw new UserFailureException("Script file " + script + " does not exists!"); + throw new IllegalArgumentException("Script file " + script + " does not exists!"); } this.scriptPath = script.toString(); this.pythonPath = properties.getProperty("python3-path", "python3"); diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/NanonisSxmAdaptor.java b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/NanonisSxmAdaptor.java similarity index 77% rename from core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/NanonisSxmAdaptor.java rename to core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/NanonisSxmAdaptor.java index 437476ac509d5a645b38862af6f5d603a3cb77f9..a3473c8ba0dc8d2ea6127082722b6596889c0ac7 100644 --- a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/NanonisSxmAdaptor.java +++ b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/NanonisSxmAdaptor.java @@ -1,5 +1,5 @@ /* - * Copyright ETH 2023 Zürich, Scientific IT Services + * Copyright ETH 2023 - 2024 Zürich, Scientific IT Services * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. @@ -17,16 +17,14 @@ package ch.ethz.sis.openbis.generic.server.dss.plugins.imaging.adaptor; -import ch.systemsx.cisd.common.exceptions.UserFailureException; - import java.nio.file.Files; import java.nio.file.Path; import java.nio.file.Paths; import java.util.Properties; -public final class NanonisSxmAdaptor extends ImagingDataSetPythonAdaptor +public final class NanonisSxmAdaptor extends ImagingDataSetAbstractPythonAdaptor { - private final String SXM_SCRIPT_PROPERTY = "nanonis-sxm"; + static final String SXM_SCRIPT_PROPERTY = "nanonis.sxm-script-path"; public NanonisSxmAdaptor(Properties properties) { @@ -34,13 +32,13 @@ public final class NanonisSxmAdaptor extends ImagingDataSetPythonAdaptor String scriptProperty = properties.getProperty(SXM_SCRIPT_PROPERTY, ""); if (scriptProperty.trim().isEmpty()) { - throw new UserFailureException( + throw new IllegalArgumentException( "There is no script path property called '" + SXM_SCRIPT_PROPERTY + "' defined for this adaptor!"); } Path script = Paths.get(scriptProperty); if (!Files.exists(script)) { - throw new UserFailureException("Script file " + script + " does not exists!"); + throw new IllegalArgumentException("Script file " + script + " does not exists!"); } this.scriptPath = script.toString(); this.pythonPath = properties.getProperty("python3-path", "python3"); diff --git a/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters-sources/sourceTest/java/tests.xml b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters-sources/sourceTest/java/tests.xml new file mode 100644 index 0000000000000000000000000000000000000000..ac6078c2999a3651d3be7dbd3dc24613eaf4a336 --- /dev/null +++ b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters-sources/sourceTest/java/tests.xml @@ -0,0 +1,29 @@ +<!-- + ~ Copyright ETH 2023 Zürich, Scientific IT Services + ~ + ~ Licensed under the Apache License, Version 2.0 (the "License"); + ~ you may not use this file except in compliance with the License. + ~ You may obtain a copy of the License at + ~ + ~ http://www.apache.org/licenses/LICENSE-2.0 + ~ + ~ Unless required by applicable law or agreed to in writing, software + ~ distributed under the License is distributed on an "AS IS" BASIS, + ~ WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. + ~ See the License for the specific language governing permissions and + ~ limitations under the License. + ~ + --> + +<suite name="All" verbose="2"> + <test name="All" annotations="JDK"> + <groups> + <run> + <exclude name="broken" /> + </run> + </groups> + <packages> + <package name="ch.ethz.sis.openbis.generic.server.dss.plugins.imaging.adaptor.*" /> + </packages> + </test> +</suite> diff --git a/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters.jar b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters.jar new file mode 100644 index 0000000000000000000000000000000000000000..1b27e7547274de782274d398b0bd9037cb5dd198 Binary files /dev/null and b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/lib/premise-adapters.jar differ diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/nanonis_dat.py b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/nanonis_dat.py similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/nanonis_dat.py rename to core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/nanonis_dat.py diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/nanonis_sxm.py b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/nanonis_sxm.py similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/nanonis_sxm.py rename to core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/nanonis_sxm.py diff --git a/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/plugin.properties b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/plugin.properties new file mode 100644 index 0000000000000000000000000000000000000000..f35f27160da6660303efdb43f7858da0573dbb18 --- /dev/null +++ b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/plugin.properties @@ -0,0 +1,20 @@ +# +# Copyright ETH 2024 Zürich, Scientific IT Services +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# +# + + +nanonis.sxm-script-path=${imaging.nanonis.sxm-script-path} +nanonis.dat-script-path=${imaging.nanonis.dat-script-path} \ No newline at end of file diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/spmpy_terry.py b/core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/spmpy_terry.py similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/spmpy_terry.py rename to core-plugin-openbis/dist/core-plugins/imaging-nanonis/1/dss/services/imaging-nanonis/spmpy_terry.py diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/build.gradle b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/build.gradle similarity index 77% rename from core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/build.gradle rename to core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/build.gradle index f641a7e7237d2969496855b6b7d1d53a40adc1a8..ba16b454432d0ac22e1fd0e86b0f240effb4ce05 100644 --- a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/build.gradle +++ b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/build.gradle @@ -36,20 +36,21 @@ sourceSets { } -def premiseArchiveName = 'openBIS-premise-imaging.jar' +def imagingTechnologyName = 'openBIS-imaging-technology.jar' jar { dependsOn compileJava - archiveName premiseArchiveName + archiveName imagingTechnologyName includeEmptyDirs false + from sourceSets.main.allSource } -task premiseImagingJar(type: Copy) { +task imagingTechnologyJar(type: Copy) { dependsOn jar - from("${project.buildDir}/libs/${premiseArchiveName}") + from("${project.buildDir}/libs/${imagingTechnologyName}") into ".." doLast { -// delete "${project.buildDir}/${premiseArchiveName}" +// delete "${project.buildDir}/${imagingTechnologyName}" // delete "${project.buildDir}" // delete } diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/gradle/wrapper/gradle-wrapper.jar b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/gradle/wrapper/gradle-wrapper.jar new file mode 100644 index 0000000000000000000000000000000000000000..5c2d1cf016b3885f6930543d57b744ea8c220a1a Binary files /dev/null and b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/gradle/wrapper/gradle-wrapper.jar differ diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/gradle/wrapper/gradle-wrapper.properties b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/gradle/wrapper/gradle-wrapper.properties new file mode 100644 index 0000000000000000000000000000000000000000..147be3a0eaa3c10c6149b4850db09ed51ee6ed55 --- /dev/null +++ b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/gradle/wrapper/gradle-wrapper.properties @@ -0,0 +1,22 @@ +# +# Copyright ETH 2023 Zürich, Scientific IT Services +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# +# + +distributionBase=GRADLE_USER_HOME +distributionPath=wrapper/dists +distributionUrl=https\://sissource.ethz.ch/openbis/openbis-public/openbis-ivy/-/raw/main/gradle/distribution/7.4/gradle-7.4-bin.zip +zipStoreBase=GRADLE_USER_HOME +zipStorePath=wrapper/dists diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/gradlew b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/gradlew new file mode 100755 index 0000000000000000000000000000000000000000..83f2acfdc319a24e8766cca78f32474ad7a22dd6 --- /dev/null +++ b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/gradlew @@ -0,0 +1,188 @@ +#!/usr/bin/env sh + +# +# Copyright 2015 the original author or authors. +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# https://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. +# + +############################################################################## +## +## Gradle start up script for UN*X +## +############################################################################## + +# Attempt to set APP_HOME +# Resolve links: $0 may be a link +PRG="$0" +# Need this for relative symlinks. +while [ -h "$PRG" ] ; do + ls=`ls -ld "$PRG"` + link=`expr "$ls" : '.*-> \(.*\)$'` + if expr "$link" : '/.*' > /dev/null; then + PRG="$link" + else + PRG=`dirname "$PRG"`"/$link" + fi +done +SAVED="`pwd`" +cd "`dirname \"$PRG\"`/" >/dev/null +APP_HOME="`pwd -P`" +cd "$SAVED" >/dev/null + +APP_NAME="Gradle" +APP_BASE_NAME=`basename "$0"` + +# Add default JVM options here. You can also use JAVA_OPTS and GRADLE_OPTS to pass JVM options to this script. +DEFAULT_JVM_OPTS='"-Xmx64m" "-Xms64m"' + +# Use the maximum available, or set MAX_FD != -1 to use that value. +MAX_FD="maximum" + +warn () { + echo "$*" +} + +die () { + echo + echo "$*" + echo + exit 1 +} + +# OS specific support (must be 'true' or 'false'). +cygwin=false +msys=false +darwin=false +nonstop=false +case "`uname`" in + CYGWIN* ) + cygwin=true + ;; + Darwin* ) + darwin=true + ;; + MINGW* ) + msys=true + ;; + NONSTOP* ) + nonstop=true + ;; +esac + +CLASSPATH=$APP_HOME/gradle/wrapper/gradle-wrapper.jar + +# Determine the Java command to use to start the JVM. +if [ -n "$JAVA_HOME" ] ; then + if [ -x "$JAVA_HOME/jre/sh/java" ] ; then + # IBM's JDK on AIX uses strange locations for the executables + JAVACMD="$JAVA_HOME/jre/sh/java" + else + JAVACMD="$JAVA_HOME/bin/java" + fi + if [ ! -x "$JAVACMD" ] ; then + die "ERROR: JAVA_HOME is set to an invalid directory: $JAVA_HOME + +Please set the JAVA_HOME variable in your environment to match the +location of your Java installation." + fi +else + JAVACMD="java" + which java >/dev/null 2>&1 || die "ERROR: JAVA_HOME is not set and no 'java' command could be found in your PATH. + +Please set the JAVA_HOME variable in your environment to match the +location of your Java installation." +fi + +# Increase the maximum file descriptors if we can. +if [ "$cygwin" = "false" -a "$darwin" = "false" -a "$nonstop" = "false" ] ; then + MAX_FD_LIMIT=`ulimit -H -n` + if [ $? -eq 0 ] ; then + if [ "$MAX_FD" = "maximum" -o "$MAX_FD" = "max" ] ; then + MAX_FD="$MAX_FD_LIMIT" + fi + ulimit -n $MAX_FD + if [ $? -ne 0 ] ; then + warn "Could not set maximum file descriptor limit: $MAX_FD" + fi + else + warn "Could not query maximum file descriptor limit: $MAX_FD_LIMIT" + fi +fi + +# For Darwin, add options to specify how the application appears in the dock +if $darwin; then + GRADLE_OPTS="$GRADLE_OPTS \"-Xdock:name=$APP_NAME\" \"-Xdock:icon=$APP_HOME/media/gradle.icns\"" +fi + +# For Cygwin or MSYS, switch paths to Windows format before running java +if [ "$cygwin" = "true" -o "$msys" = "true" ] ; then + APP_HOME=`cygpath --path --mixed "$APP_HOME"` + CLASSPATH=`cygpath --path --mixed "$CLASSPATH"` + JAVACMD=`cygpath --unix "$JAVACMD"` + + # We build the pattern for arguments to be converted via cygpath + ROOTDIRSRAW=`find -L / -maxdepth 1 -mindepth 1 -type d 2>/dev/null` + SEP="" + for dir in $ROOTDIRSRAW ; do + ROOTDIRS="$ROOTDIRS$SEP$dir" + SEP="|" + done + OURCYGPATTERN="(^($ROOTDIRS))" + # Add a user-defined pattern to the cygpath arguments + if [ "$GRADLE_CYGPATTERN" != "" ] ; then + OURCYGPATTERN="$OURCYGPATTERN|($GRADLE_CYGPATTERN)" + fi + # Now convert the arguments - kludge to limit ourselves to /bin/sh + i=0 + for arg in "$@" ; do + CHECK=`echo "$arg"|egrep -c "$OURCYGPATTERN" -` + CHECK2=`echo "$arg"|egrep -c "^-"` ### Determine if an option + + if [ $CHECK -ne 0 ] && [ $CHECK2 -eq 0 ] ; then ### Added a condition + eval `echo args$i`=`cygpath --path --ignore --mixed "$arg"` + else + eval `echo args$i`="\"$arg\"" + fi + i=$((i+1)) + done + case $i in + (0) set -- ;; + (1) set -- "$args0" ;; + (2) set -- "$args0" "$args1" ;; + (3) set -- "$args0" "$args1" "$args2" ;; + (4) set -- "$args0" "$args1" "$args2" "$args3" ;; + (5) set -- "$args0" "$args1" "$args2" "$args3" "$args4" ;; + (6) set -- "$args0" "$args1" "$args2" "$args3" "$args4" "$args5" ;; + (7) set -- "$args0" "$args1" "$args2" "$args3" "$args4" "$args5" "$args6" ;; + (8) set -- "$args0" "$args1" "$args2" "$args3" "$args4" "$args5" "$args6" "$args7" ;; + (9) set -- "$args0" "$args1" "$args2" "$args3" "$args4" "$args5" "$args6" "$args7" "$args8" ;; + esac +fi + +# Escape application args +save () { + for i do printf %s\\n "$i" | sed "s/'/'\\\\''/g;1s/^/'/;\$s/\$/' \\\\/" ; done + echo " " +} +APP_ARGS=$(save "$@") + +# Collect all arguments for the java command, following the shell quoting and substitution rules +eval set -- $DEFAULT_JVM_OPTS $JAVA_OPTS $GRADLE_OPTS "\"-Dorg.gradle.appname=$APP_BASE_NAME\"" -classpath "\"$CLASSPATH\"" org.gradle.wrapper.GradleWrapperMain "$APP_ARGS" + +# by default we should be in the correct project dir, but when run from Finder on Mac, the cwd is wrong +if [ "$(uname)" = "Darwin" ] && [ "$HOME" = "$PWD" ]; then + cd "$(dirname "$0")" +fi + +exec "$JAVACMD" "$@" diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/gradlew.bat b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/gradlew.bat new file mode 100644 index 0000000000000000000000000000000000000000..9618d8d9607cd91a0efb866bcac4810064ba6fac --- /dev/null +++ b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/gradlew.bat @@ -0,0 +1,100 @@ +@rem +@rem Copyright 2015 the original author or authors. +@rem +@rem Licensed under the Apache License, Version 2.0 (the "License"); +@rem you may not use this file except in compliance with the License. +@rem You may obtain a copy of the License at +@rem +@rem https://www.apache.org/licenses/LICENSE-2.0 +@rem +@rem Unless required by applicable law or agreed to in writing, software +@rem distributed under the License is distributed on an "AS IS" BASIS, +@rem WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +@rem See the License for the specific language governing permissions and +@rem limitations under the License. +@rem + +@if "%DEBUG%" == "" @echo off +@rem ########################################################################## +@rem +@rem Gradle startup script for Windows +@rem +@rem ########################################################################## + +@rem Set local scope for the variables with windows NT shell +if "%OS%"=="Windows_NT" setlocal + +set DIRNAME=%~dp0 +if "%DIRNAME%" == "" set DIRNAME=. +set APP_BASE_NAME=%~n0 +set APP_HOME=%DIRNAME% + +@rem Add default JVM options here. You can also use JAVA_OPTS and GRADLE_OPTS to pass JVM options to this script. +set DEFAULT_JVM_OPTS="-Xmx64m" "-Xms64m" + +@rem Find java.exe +if defined JAVA_HOME goto findJavaFromJavaHome + +set JAVA_EXE=java.exe +%JAVA_EXE% -version >NUL 2>&1 +if "%ERRORLEVEL%" == "0" goto init + +echo. +echo ERROR: JAVA_HOME is not set and no 'java' command could be found in your PATH. +echo. +echo Please set the JAVA_HOME variable in your environment to match the +echo location of your Java installation. + +goto fail + +:findJavaFromJavaHome +set JAVA_HOME=%JAVA_HOME:"=% +set JAVA_EXE=%JAVA_HOME%/bin/java.exe + +if exist "%JAVA_EXE%" goto init + +echo. +echo ERROR: JAVA_HOME is set to an invalid directory: %JAVA_HOME% +echo. +echo Please set the JAVA_HOME variable in your environment to match the +echo location of your Java installation. + +goto fail + +:init +@rem Get command-line arguments, handling Windows variants + +if not "%OS%" == "Windows_NT" goto win9xME_args + +:win9xME_args +@rem Slurp the command line arguments. +set CMD_LINE_ARGS= +set _SKIP=2 + +:win9xME_args_slurp +if "x%~1" == "x" goto execute + +set CMD_LINE_ARGS=%* + +:execute +@rem Setup the command line + +set CLASSPATH=%APP_HOME%\gradle\wrapper\gradle-wrapper.jar + +@rem Execute Gradle +"%JAVA_EXE%" %DEFAULT_JVM_OPTS% %JAVA_OPTS% %GRADLE_OPTS% "-Dorg.gradle.appname=%APP_BASE_NAME%" -classpath "%CLASSPATH%" org.gradle.wrapper.GradleWrapperMain %CMD_LINE_ARGS% + +:end +@rem End local scope for the variables with windows NT shell +if "%ERRORLEVEL%"=="0" goto mainEnd + +:fail +rem Set variable GRADLE_EXIT_CONSOLE if you need the _script_ return code instead of +rem the _cmd.exe /c_ return code! +if not "" == "%GRADLE_EXIT_CONSOLE%" exit 1 +exit /b 1 + +:mainEnd +if "%OS%"=="Windows_NT" endlocal + +:omega diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/javaproject.gradle b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/javaproject.gradle new file mode 100644 index 0000000000000000000000000000000000000000..82beac14965d9eac35b897c9be2a26e2ff3cb54f --- /dev/null +++ b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/javaproject.gradle @@ -0,0 +1,412 @@ +apply plugin: 'java-library' +apply plugin: 'project-report' + +evaluationDependsOnChildren() + +configurations { + implementation { + canBeResolved = true + } + testImplementation { + canBeResolved = true + } + runtimeOnly { + canBeResolved = true + } + tests.extendsFrom testRuntimeOnly +} + +configurations { + ecj +} + +configurations.all { + resolutionStrategy.cacheDynamicVersionsFor 0, 'hours' + resolutionStrategy.cacheChangingModulesFor 0, 'hours' +} + +//task wrapper(type: Wrapper) { +// gradleVersion = '4.10.3' +// distributionUrl = "https://services.gradle.org/distributions/gradle-4.10.3-bin.zip" +//} +sourceCompatibility='11' +targetCompatibility='11' + +sourceSets { + main { + java { + srcDirs = ['source/java'] + } + } + test { + java { + srcDirs = ['sourceTest/java'] + } + resources { + srcDirs = ['sourceTest/java'] + } + } + examples { + java { + srcDirs = ['sourceExamples/java'] + } + } +} + +buildDir = 'targets/gradle' + +buildscript { + apply from: './repository.gradle' + + repositories repositoryConfig + + dependencies { + classpath 'cisd:cisd-ant-tasks:r29834' + } +} + +repositories repositoryConfig + +def execute(command, arguments) { + new ByteArrayOutputStream().withStream { os -> + print "execute: ${command}" + arguments.collect({print " ${it}"}) + println '' + def result = exec { + executable = command + args = arguments + standardOutput = os + } + return os.toString().split('\n') + } +} + +ext.executeFunction = { + command, arguments -> execute(command, arguments) +} + +def execute_working_dir(command, arguments, working_dir) { + new ByteArrayOutputStream().withStream { os -> + print "execute: ${command}" + arguments.collect({print " ${it}"}) + println '' + def result = exec { + executable = command + args = arguments + standardOutput = os + } + return os.toString().split('\n') + } +} + +ext.svnCommand = 'svn' + +def isSvnProject() { + return new java.io.File(projectDir, ".svn").isDirectory() || new java.io.File(projectDir, "../.svn").isDirectory() +} + +def isGitProject() { + return new java.io.File(projectDir, ".git").isDirectory() || new java.io.File(projectDir, "../.git").isDirectory() +} + +def executeSVN(arguments) { + arguments.add(0, '--non-interactive') + return execute(svnCommand, arguments) +} + +def calculateCleanFlag() { + return 'clean' + for (childProject in project.childProjects.values()) { + if (childProject.cleanFlag == 'dirty') { + return 'dirty' + } + } + def isSvn = isSvnProject() + if (isSvn) { + def output = executeSVN(['status', '../' + project.name]) + def lines = output.findAll({ (it.startsWith('?') || it.trim().isEmpty()) == false}) + return lines.isEmpty() ? 'clean' : 'dirty' + } else if (isGitProject()) { + def output = execute_working_dir('git', ['status', '--porcelain'], '../' + project.name) + return output.length == 0 ? 'clean' : 'dirty' + } else { + return 'dirty' + } +} + +def findMaximum(lines, key) { + return lines.findAll({ it.startsWith(key)}).collect({element -> element.split(':')[1].toInteger()}).max() +} + +def calculateBuildInfo() { + if (isSvnProject()) { + def output = executeSVN(['info', '-R', '../' + project.name]) + def maxRevisionNumber = findMaximum(output, 'Revision:') + project.ext.revisionNumber = findMaximum(output, 'Last Changed Rev:') + if (maxRevisionNumber < project.ext.revisionNumber) { + throw new GradleException("Maximum revision ($maxRevisionNumber) is less than the maximum " + + "last changed revision ($project.ext.revisionNumber).") + } + project.ext.versionNumber = 'SNAPSHOT' + def url = output.findAll({ it.startsWith('URL:')})[0].split('URL:')[1].trim() + if (url.contains('/trunk') == false) { + def pathElements = url.split('/') + project.ext.versionNumber = 'libraries' == pathElements[-2] ? pathElements[-3] : pathElements[-2] + } + } else if (isGitProject()) { + def gitlogoutput = execute_working_dir('git', ['log', '-1', '--format=%at'], '../' + project.name) + project.ext.revisionNumber = Integer.parseInt(gitlogoutput[0]) + def tag = 'git tag -l --points-at HEAD'.execute().text.trim() + if (tag == null || tag.isEmpty() || tag.contains('pybis')) { + project.ext.versionNumber = 'SNAPSHOT' + } else { + project.ext.versionNumber = tag + } + } else { + project.ext.revisionNumber = 1 + project.ext.versionNumber = 'SNAPSHOT' + } + + for (childProject in project.childProjects.values()) { + project.ext.revisionNumber = Math.max(project.ext.revisionNumber, childProject.revisionNumber) + if (project.ext.versionNumber != childProject.versionNumber) { + throw new GradleException("Inconsistent version numbers: " + + "${project.name} at version ${project.ext.versionNumber} but " + + "${childProject.name} at version ${childProject.versionNumber}.") + } + } + version = "${project.ext.versionNumber}-r${project.ext.revisionNumber}" + project.ext.revisionForPublication = project.ext.versionNumber.startsWith('SNAPSHOT') ? "r${project.ext.revisionNumber}" : project.ext.versionNumber + project.ext.cleanFlag = calculateCleanFlag() + + def buildInfo = "${project.ext.versionNumber}:${project.ext.revisionNumber}:${project.ext.cleanFlag}" + def buildInfoDev = "${project.ext.versionNumber}-dev:${project.ext.revisionNumber}:${project.ext.cleanFlag}" + + println "BUILD INFO for $project: $buildInfo" + + def targetsDistFolder = new File("${project.projectDir}/targets/dist") + targetsDistFolder.deleteDir() + targetsDistFolder.mkdirs() + + def targetDistBuildInfo = new File(targetsDistFolder, "BUILD-${project.name}.INFO") + targetDistBuildInfo << buildInfo + + def mainClassesFolder = new File("${project.projectDir}/targets/gradle/classes/java/main") + mainClassesFolder.mkdirs() + + def mainClassesBuildInfo = new File(mainClassesFolder, "BUILD-${project.name}.INFO") + mainClassesBuildInfo.delete() + mainClassesBuildInfo << buildInfoDev +} + +calculateBuildInfo() + +group='cisd' + +task checkRestrictions(type: Exec, dependsOn: [classes, testClasses]) { + doFirst { +/* + def cp = configurations.testImplementation.filter({ f -> f.name.startsWith('restrictionchecker') || f.name.startsWith('bcel')}).asPath + def cmd = ['java', '-cp', cp, 'ch.rinn.restrictions.RestrictionChecker', '-r', sourceSets.main.output.classesDirs.first()] + if (sourceSets.test.output.classesDirs.first().exists()) { + cmd.add(sourceSets.test.output.classesDirs.first()) + } + cmd.add('-cp') + cmd.add(sourceSets.main.output.classesDirs.first()) + if (sourceSets.test.output.classesDirs.first().exists()) { + cmd.add(sourceSets.test.output.classesDirs.first()) + } + cmd.add(configurations.testImplementation.asPath) + commandLine cmd +*/ + commandLine = ['pwd'] + } +} + +def deleteSymbolicLinksRecursively(file) { + def absolutePath = file.getAbsolutePath() + def canonicalPath = file.getCanonicalPath() + if (absolutePath.equals(canonicalPath) == false) { + file.delete(); + } else if (file.isDirectory()) { + File[] files = file.listFiles() + for (File child : files) { + deleteSymbolicLinksRecursively(child) + } + } +} + +task deleteSymLinks { + doFirst { + println "DELETE SYM LINKS in $buildDir" + deleteSymbolicLinksRecursively buildDir + } +} + +clean.dependsOn deleteSymLinks + +test { + useTestNG() + options.suites('sourceTest/java/tests.xml') + + systemProperty "ant.project.name", project.name + + maxHeapSize = "8192m" + jvmArgs '-Duser.timezone=Europe/Zurich', '-Dorg.eclipse.jetty.util.log.class=org.eclipse.jetty.util.log.StrErrLog' + + testLogging.showStandardStreams = true + ignoreFailures = true +} +test.dependsOn checkRestrictions + +// Legacy Java 8 compiler from eclipse +dependencies { + ecj "eclipse:ecj:4.6.1" +} + +if(System.getProperty("java.version").startsWith("1.8.")) { + tasks.withType(JavaCompile) { + options.headerOutputDirectory.convention(null) + } +} + +compileJava { + options.encoding = 'utf-8' + options.fork = true + doFirst { + // Use the legacy Java 8 compiler from eclipse for Java 8 + if(System.getProperty("java.version").startsWith("1.8.")) { + options.forkOptions.with { + executable = 'java' + jvmArgs = createEclipseJDK8Args() + } + } else if(System.getProperty("java.version").startsWith("11.") || System.getProperty("java.version").startsWith("17.")) { + // Use modern openJDK 11 or 17 Compiler + } else { + throw new Exception("Unsupported Java version found: '" + System.getProperty("java.version") + "', please use JDK8, JDK11 or JDK17"); + } + } +} + +compileTestJava { + options.encoding = 'utf-8' + options.fork = true + doFirst { + // Use the legacy Java 8 compiler from eclipse for Java 8 + if(System.getProperty("java.version").startsWith("1.8.")) { + options.forkOptions.with { + executable = 'java' + jvmArgs = createEclipseJDK8Args() + } + } else if(System.getProperty("java.version").startsWith("11.") || System.getProperty("java.version").startsWith("17.")) { + // Use modern openJDK 11 or 17 Compiler + } else { + throw new Exception("Unsupported Java version found: '" + System.getProperty("java.version") + "', please use JDK8, JDK11 or JDK17"); + } + } +} + +def createEclipseJDK8Args() { + def args = ['-cp', configurations.ecj.asPath, 'org.eclipse.jdt.internal.compiler.batch.Main', '-nowarn'] + return args +} + +processTestResources { + fileMode=0666 +} + +apply plugin: 'eclipse' + +eclipse { + classpath { + downloadSources=true + defaultOutputDir = file('targets/classes') + } +} + +eclipse.classpath.file { + whenMerged{ classpath -> + def projectRefs = classpath.entries.findAll{entry -> entry.kind =='src' && entry.path.startsWith('/')} + classpath.entries.removeAll(projectRefs) + classpath.entries.addAll(projectRefs) + } +} + +task testJar(type: Jar, dependsOn: testClasses) { + baseName = "test-${project.archivesBaseName}" + from sourceSets.test.output +} + +task sourcesJar(type: Jar) { + duplicatesStrategy 'include' + classifier = 'sources' + from sourceSets.main.allSource +} + +compileJava.dependsOn sourcesJar + +artifacts { + tests testJar +} + +artifacts { + archives sourcesJar +} + +task compileDependencies(type: Copy) { + into "$buildDir/output/compile-dependencies" + from configurations.implementation +} + +task runtimeDependencies(type: Copy) { + into "$buildDir/output/runtime-dependencies" + from configurations.runtimeOnly +} + +task testCompileDependencies(type: Copy) { + into "$buildDir/output/testCompile-dependencies" + from configurations.testImplementation +} + +task testRuntimeDependencies(type: Copy) { + into "$buildDir/output/testRuntime-dependencies" + from configurations.testRuntimeOnly +} + +task checkDependencies(dependsOn: classes) { + doLast { + ant.taskdef(name: 'dependencychecker', classname: 'classycle.ant.DependencyCheckingTask', classpath: configurations.testRuntime.asPath) + ant.dependencychecker( + definitionFile: 'resource/dependency-structure.ddf', + failOnUnwantedDependencies: 'true', + mergeInnerClasses: 'true') { + fileset(dir: "${buildDir}", includes: "**/*.class") + } + } +} + +apply plugin: 'ivy-publish' +if (hasProperty('ivyRepository') == false || ''.equals(project.ivyRepository)) +{ + project.ext.ivyRepository = "${project.projectDir}/../ivy-repository" +} +publishing { + + repositories { + ivy { + ivyPattern "file://${project.ivyRepository}/[organisation]/[module]/[revision]/ivy.xml" + artifactPattern "file://${project.ivyRepository}/[organisation]/[module]/[revision]/[artifact]-[revision](-[classifier]).[ext]" + } + } +} + +publish { + dependsOn build +} + +if (JavaVersion.current().isJava8Compatible()) { + tasks.withType(Javadoc) { + options.addStringOption('Xdoclint:none', '-quiet') + options.addStringOption('encoding', 'utf-8') + } +} diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/repository.gradle b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/repository.gradle new file mode 100644 index 0000000000000000000000000000000000000000..1672a54cfb7dfe17c5369ae440228f76f117e29f --- /dev/null +++ b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/repository.gradle @@ -0,0 +1,6 @@ +ext.repositoryConfig = { + ivy { + ivyPattern "https://sissource.ethz.ch/openbis/openbis-public/openbis-ivy/-/raw/main/[organisation]/[module]/[revision]/ivy.xml" + artifactPattern "https://sissource.ethz.ch/openbis/openbis-public/openbis-ivy/-/raw/main/[organisation]/[module]/[revision]/[artifact]-[revision](-[classifier]).[ext]" + } +} diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/settings.gradle b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/settings.gradle new file mode 100644 index 0000000000000000000000000000000000000000..41bd6aed5e0d04fad9e88fc45d7b7cfb6dfe1078 --- /dev/null +++ b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/settings.gradle @@ -0,0 +1,9 @@ +def includes = ['lib-common', 'lib-commonbase', 'api-openbis-java', +'api-openbis-javascript', 'lib-openbis-common', 'lib-dbmigration', 'lib-authentication', +'server-original-data-store', 'server-application-server' +] + +includes.forEach { name -> + includeFlat(name) + project(":${name}").projectDir = new File("../../../../../../../../../../${name}") +} \ No newline at end of file diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/ImagingArchiver.java b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/ImagingArchiver.java similarity index 98% rename from core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/ImagingArchiver.java rename to core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/ImagingArchiver.java index b550053a46c271b9bb670f8ee0bb503fb6df6f1d..1c6b6acc58ad404589bd36b34f5b1efd22672fce 100644 --- a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/ImagingArchiver.java +++ b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/ImagingArchiver.java @@ -1,5 +1,5 @@ /* - * Copyright ETH 2023 Zürich, Scientific IT Services + * Copyright ETH 2023 - 2024 Zürich, Scientific IT Services * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/ImagingService.java b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/ImagingService.java similarity index 99% rename from core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/ImagingService.java rename to core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/ImagingService.java index b542ad5b1ff521b74b3b1138b1a96337fe88c41b..01c35a4330c60272f09fd89886ac0d4274220f76 100644 --- a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/ImagingService.java +++ b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/ImagingService.java @@ -1,5 +1,5 @@ /* - * Copyright ETH 2023 Zürich, Scientific IT Services + * Copyright ETH 2023 - 2024 Zürich, Scientific IT Services * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/ImagingServiceContext.java b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/ImagingServiceContext.java similarity index 95% rename from core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/ImagingServiceContext.java rename to core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/ImagingServiceContext.java index b6d33d169f693b2627a59584c6e9219df75e63ef..49d6e2eb55cf45d677419ec2b6fb5a9c5d7fdd4b 100644 --- a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/ImagingServiceContext.java +++ b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/ImagingServiceContext.java @@ -1,5 +1,5 @@ /* - * Copyright ETH 2023 Zürich, Scientific IT Services + * Copyright ETH 2023 - 2024 Zürich, Scientific IT Services * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/Util.java b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/Util.java similarity index 97% rename from core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/Util.java rename to core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/Util.java index 74be2bbd1abf1879db21d5b0fea2576eb44f1887..cb7f26ccabd3ec179c2ee23f8e8f257ab0d43a80 100644 --- a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/Util.java +++ b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/Util.java @@ -1,5 +1,5 @@ /* - * Copyright ETH 2023 Zürich, Scientific IT Services + * Copyright ETH 2023 - 2024 Zürich, Scientific IT Services * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/Validator.java b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/Validator.java similarity index 97% rename from core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/Validator.java rename to core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/Validator.java index 414e49fbc2fae1f11c8c90a2ad134a71c65aa0f8..5c74eee89c3d55b5bce5d58230dc028725c96c68 100644 --- a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/Validator.java +++ b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/Validator.java @@ -1,5 +1,5 @@ /* - * Copyright ETH 2023 Zürich, Scientific IT Services + * Copyright ETH 2023 - 2024 Zürich, Scientific IT Services * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/IImagingDataSetAdaptor.java b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/IImagingDataSetAdaptor.java similarity index 95% rename from core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/IImagingDataSetAdaptor.java rename to core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/IImagingDataSetAdaptor.java index 5e3e8346196297a36092ce078b73b6406f7948f8..9cecae451244597e83e393c6463ddf142441ea99 100644 --- a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/IImagingDataSetAdaptor.java +++ b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/IImagingDataSetAdaptor.java @@ -1,5 +1,5 @@ /* - * Copyright ETH 2023 Zürich, Scientific IT Services + * Copyright ETH 2023 - 2024 Zürich, Scientific IT Services * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/ImagingDataSetPythonAdaptor.java b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/ImagingDataSetAbstractPythonAdaptor.java similarity index 96% rename from core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/ImagingDataSetPythonAdaptor.java rename to core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/ImagingDataSetAbstractPythonAdaptor.java index ac62da8d54ebbf8b65c71c43bc76ed31b9bff324..6f90ad22d161bec2828abd7e00cba505b9f81d81 100644 --- a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/ImagingDataSetPythonAdaptor.java +++ b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/ImagingDataSetAbstractPythonAdaptor.java @@ -1,5 +1,5 @@ /* - * Copyright ETH 2023 Zürich, Scientific IT Services + * Copyright ETH 2023 - 2024 Zürich, Scientific IT Services * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. @@ -32,7 +32,7 @@ import java.nio.charset.StandardCharsets; import java.util.HashMap; import java.util.Map; -public abstract class ImagingDataSetPythonAdaptor implements IImagingDataSetAdaptor +public abstract class ImagingDataSetAbstractPythonAdaptor implements IImagingDataSetAdaptor { protected String pythonPath; diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/ImagingDataSetExampleAdaptor.java b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/ImagingDataSetExampleAdaptor.java similarity index 98% rename from core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/ImagingDataSetExampleAdaptor.java rename to core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/ImagingDataSetExampleAdaptor.java index fde9852d5bcb833eec8f9449ec9b2ebc72286dcb..677591a993470807f803979cb55cdd7b892e9f2e 100644 --- a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/ImagingDataSetExampleAdaptor.java +++ b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/ImagingDataSetExampleAdaptor.java @@ -1,5 +1,5 @@ /* - * Copyright ETH 2023 Zürich, Scientific IT Services + * Copyright ETH 2023 - 2024 Zürich, Scientific IT Services * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/ImagingDataSetJythonAdaptor.java b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/ImagingDataSetJythonAdaptor.java similarity index 98% rename from core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/ImagingDataSetJythonAdaptor.java rename to core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/ImagingDataSetJythonAdaptor.java index 1fa0e6527d85dc2b801f1196047f8bf4e0d4d849..521800023b44cee6ef91acfe50535aa71f701b52 100644 --- a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/ImagingDataSetJythonAdaptor.java +++ b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/ImagingDataSetJythonAdaptor.java @@ -1,5 +1,5 @@ /* - * Copyright ETH 2023 Zürich, Scientific IT Services + * Copyright ETH 2023 - 2024 Zürich, Scientific IT Services * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/ImagingDataSetPythonAdaptor.java b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/ImagingDataSetPythonAdaptor.java new file mode 100644 index 0000000000000000000000000000000000000000..b5440749202a1fa8bb09d4732398ed8bb2debd2a --- /dev/null +++ b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/adaptor/ImagingDataSetPythonAdaptor.java @@ -0,0 +1,47 @@ +/* + * Copyright ETH 2024 Zürich, Scientific IT Services + * + * Licensed under the Apache License, Version 2.0 (the "License"); + * you may not use this file except in compliance with the License. + * You may obtain a copy of the License at + * + * http://www.apache.org/licenses/LICENSE-2.0 + * + * Unless required by applicable law or agreed to in writing, software + * distributed under the License is distributed on an "AS IS" BASIS, + * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. + * See the License for the specific language governing permissions and + * limitations under the License. + * + */ + +package ch.ethz.sis.openbis.generic.server.dss.plugins.imaging.adaptor; + +import java.nio.file.Files; +import java.nio.file.Path; +import java.nio.file.Paths; +import java.util.Properties; + +public class ImagingDataSetPythonAdaptor extends ImagingDataSetAbstractPythonAdaptor +{ + private static final String SCRIPT_PROPERTY = "script-path"; + private static final String PYTHON3_PROPERTY = "python3-path"; + + + public ImagingDataSetPythonAdaptor(Properties properties) + { + String scriptProperty = properties.getProperty(SCRIPT_PROPERTY, ""); + if (scriptProperty.trim().isEmpty()) + { + throw new IllegalArgumentException( + "There is no script path property called '" + SCRIPT_PROPERTY + "' defined for this adaptor!"); + } + Path script = Paths.get(scriptProperty); + if (!Files.exists(script)) + { + throw new IllegalArgumentException("Script file " + script + " does not exists!"); + } + this.scriptPath = script.toString(); + this.pythonPath = properties.getProperty(PYTHON3_PROPERTY, "python3"); + } +} diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/python/imaging/__init__.py b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/python/imaging/__init__.py similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/python/imaging/__init__.py rename to core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/python/imaging/__init__.py diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/python/imaging/imaging.py b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/python/imaging/imaging.py similarity index 95% rename from core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/python/imaging/imaging.py rename to core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/python/imaging/imaging.py index 410d40f2cdf7f353ddd6e8ea665d6a5af681d5ba..f2150d4c0bfe7a454ce7550f9ebacc2a3fb59ef0 100644 --- a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/python/imaging/imaging.py +++ b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/python/imaging/imaging.py @@ -1,4 +1,4 @@ -# Copyright ETH 2023 Zürich, Scientific IT Services +# Copyright ETH 2023 - 2024 Zürich, Scientific IT Services # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. @@ -11,20 +11,7 @@ # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. -# -# -# Licensed under the Apache License, Version 2.0 (the "License"); -# you may not use this file except in compliance with the License. -# You may obtain a copy of the License at -# -# http://www.apache.org/licenses/LICENSE-2.0 -# -# Unless required by applicable law or agreed to in writing, software -# distributed under the License is distributed on an "AS IS" BASIS, -# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. -# See the License for the specific language governing permissions and -# limitations under the License. -# + from pybis import Openbis import abc @@ -158,21 +145,24 @@ class ImagingDataSetExport(AbstractImagingRequest): class ImagingDataSetMultiExport(AbstractImagingRequest): permId: str - index: int + imageIndex: int + previewIndex: int config: dict metadata: dict - def __init__(self, permId, index, config, metadata=None): + def __init__(self, permId, imageIndex, previewIndex, config, metadata=None): self.__dict__["@type"] = "imaging.dto.ImagingDataSetMultiExport" self.permId = permId - self.index = index + self.imageIndex = imageIndex + self.previewIndex = previewIndex self.config = config self.metadata = metadata if metadata is not None else dict() self._validate_data() def _validate_data(self): assert self.permId is not None, "PermId can not be null" - assert self.index is not None, "Index can not be null" + assert self.imageIndex is not None, "imageIndex can not be null" + assert self.previewIndex is not None, "previewIndex can not be null" assert self.config is not None, "Config can not be null" required_keys = {"include", "archive-format", "image-format", "resolution"} for key in required_keys: diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/python/tests/test_imaging.py b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/python/tests/test_imaging.py similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/source/python/tests/test_imaging.py rename to core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/source/python/tests/test_imaging.py diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/sourceTest/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/ImagingServiceTest.java b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/sourceTest/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/ImagingServiceTest.java similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/sourceTest/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/ImagingServiceTest.java rename to core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/sourceTest/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/ImagingServiceTest.java diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/sourceTest/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/ServiceProviderTestWrapper.java b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/sourceTest/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/ServiceProviderTestWrapper.java similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/sourceTest/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/ServiceProviderTestWrapper.java rename to core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/sourceTest/java/ch/ethz/sis/openbis/generic/server/dss/plugins/imaging/ServiceProviderTestWrapper.java diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/sourceTest/java/tests.xml b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/sourceTest/java/tests.xml similarity index 100% rename from core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/sourceTest/java/tests.xml rename to core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/imaging-technology-sources/sourceTest/java/tests.xml diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/openBIS-imaging-technology.jar b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/openBIS-imaging-technology.jar new file mode 100644 index 0000000000000000000000000000000000000000..a44d64ab171cba377bba61e5940b17b7f13d7441 Binary files /dev/null and b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/openBIS-imaging-technology.jar differ diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/openBIS-premise-imaging.jar b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/openBIS-premise-imaging.jar deleted file mode 100644 index 3e3376835a5808989551b2ce12e48c71d35765d1..0000000000000000000000000000000000000000 Binary files a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/openBIS-premise-imaging.jar and /dev/null differ diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/settings.gradle b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/settings.gradle deleted file mode 100644 index 0abc667a6661bc3dc5205baaeb3696a474efda62..0000000000000000000000000000000000000000 --- a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/lib/premise-sources/settings.gradle +++ /dev/null @@ -1,21 +0,0 @@ -//includeFlat 'lib-commonbase', 'lib-common', 'api-openbis-java', 'lib-openbis-common', 'lib-authentication', 'lib-dbmigration', 'server-application-server', -// 'server-original-data-store', 'server-screening', 'server-external-data-store', -// 'ui-admin', 'lib-microservice-server', 'ui-eln-lims', 'api-openbis-javascript' -// -//def includes = ['lib-commonbase', 'lib-common', 'api-openbis-java', 'lib-openbis-common', 'api-openbis-javascript', -// 'lib-authentication', 'lib-dbmigration', 'server-application-server', 'server-original-data-store'] -// -//includes.forEach { name -> -// includeFlat(name) -// project(":${name}").projectDir = new File("../openbis/${name}") -//} - -def includes = ['lib-common', 'lib-commonbase', 'api-openbis-java', -'api-openbis-javascript', 'lib-openbis-common', 'lib-dbmigration', 'lib-authentication', -'server-original-data-store', 'server-application-server' -] - -includes.forEach { name -> - includeFlat(name) - project(":${name}").projectDir = new File("../../../../../../../../../../${name}") -} \ No newline at end of file diff --git a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/plugin.properties b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/plugin.properties index 91acdd35d85ebfaf019168c3f48b3d6b935ad6e9..10e23a35139d18d23cba231afaa39c18fe6a4aca 100644 --- a/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/plugin.properties +++ b/core-plugin-openbis/dist/core-plugins/imaging/1/dss/services/imaging/plugin.properties @@ -15,11 +15,9 @@ # # -label = PremiseImagingService +label = GenericImagingService class = ch.ethz.sis.openbis.generic.server.dss.plugins.imaging.ImagingService -#python3-path = (optional) - path to your python virtual environmant +#python3-path = (optional) - path to your python virtual environment -nanonis-sxm = nanonis_sxm.py -nanonis-dat = nanonis_dat.py diff --git a/server-application-server/sourceTest/java/ch/ethz/sis/openbis/generic/server/xls/export/SampleLargeCellExpectations.java b/server-application-server/sourceTest/java/ch/ethz/sis/openbis/generic/server/xls/export/SampleLargeCellExpectations.java new file mode 100644 index 0000000000000000000000000000000000000000..377a796ddc396682d611f3220d5a6bef99e70464 --- /dev/null +++ b/server-application-server/sourceTest/java/ch/ethz/sis/openbis/generic/server/xls/export/SampleLargeCellExpectations.java @@ -0,0 +1,197 @@ +/* + * Copyright ETH 2022 - 2023 Zürich, Scientific IT Services + * + * Licensed under the Apache License, Version 2.0 (the "License"); + * you may not use this file except in compliance with the License. + * You may obtain a copy of the License at + * + * http://www.apache.org/licenses/LICENSE-2.0 + * + * Unless required by applicable law or agreed to in writing, software + * distributed under the License is distributed on an "AS IS" BASIS, + * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. + * See the License for the specific language governing permissions and + * limitations under the License. + */ +package ch.ethz.sis.openbis.generic.server.xls.export; + +import java.io.IOException; +import java.io.InputStream; +import java.util.Arrays; +import java.util.Calendar; +import java.util.Date; +import java.util.LinkedHashMap; +import java.util.List; +import java.util.Objects; +import java.util.function.Function; +import java.util.stream.Collectors; + +import org.jmock.Expectations; +import org.jmock.api.Invocation; +import org.jmock.lib.action.CustomAction; + +import ch.ethz.sis.openbis.generic.asapi.v3.IApplicationServerApi; +import ch.ethz.sis.openbis.generic.asapi.v3.dto.entitytype.EntityKind; +import ch.ethz.sis.openbis.generic.asapi.v3.dto.entitytype.id.EntityTypePermId; +import ch.ethz.sis.openbis.generic.asapi.v3.dto.experiment.Experiment; +import ch.ethz.sis.openbis.generic.asapi.v3.dto.experiment.id.ExperimentIdentifier; +import ch.ethz.sis.openbis.generic.asapi.v3.dto.person.Person; +import ch.ethz.sis.openbis.generic.asapi.v3.dto.project.Project; +import ch.ethz.sis.openbis.generic.asapi.v3.dto.project.id.ProjectIdentifier; +import ch.ethz.sis.openbis.generic.asapi.v3.dto.property.DataType; +import ch.ethz.sis.openbis.generic.asapi.v3.dto.property.PropertyAssignment; +import ch.ethz.sis.openbis.generic.asapi.v3.dto.property.PropertyType; +import ch.ethz.sis.openbis.generic.asapi.v3.dto.property.fetchoptions.PropertyAssignmentFetchOptions; +import ch.ethz.sis.openbis.generic.asapi.v3.dto.sample.Sample; +import ch.ethz.sis.openbis.generic.asapi.v3.dto.sample.SampleType; +import ch.ethz.sis.openbis.generic.asapi.v3.dto.sample.fetchoptions.SampleFetchOptions; +import ch.ethz.sis.openbis.generic.asapi.v3.dto.sample.id.SampleIdentifier; +import ch.ethz.sis.openbis.generic.asapi.v3.dto.sample.id.SamplePermId; +import ch.ethz.sis.openbis.generic.asapi.v3.dto.space.Space; +import ch.ethz.sis.openbis.generic.asapi.v3.dto.space.id.SpacePermId; +import ch.ethz.sis.openbis.systemtest.asapi.v3.ExportTest; +import ch.systemsx.cisd.openbis.generic.server.business.bo.CollectionMatcher; + +class SampleLargeCellExpectations extends Expectations +{ + + public SampleLargeCellExpectations(final IApplicationServerApi api, final boolean exportReferred) + { + if (exportReferred) + { + allowing(api).getSamples(with(XLSExportTest.SESSION_TOKEN), + with(new CollectionMatcher<>(List.of(new SamplePermId("200001010000000-0001")))), + with(any(SampleFetchOptions.class))); + } + allowing(api).getSamples(with(XLSExportTest.SESSION_TOKEN), with(new CollectionMatcher<>( + List.of(new SamplePermId("200001010000000-0001")))), with(any(SampleFetchOptions.class)) + ); + + will(new CustomAction("getting samples") + { + + @Override + public Object invoke(final Invocation invocation) throws Throwable + { + final SampleFetchOptions fetchOptions = (SampleFetchOptions) invocation.getParameter(2); + final PropertyAssignment namePropertyAssignment = getNamePropertyAssignment(); + final PropertyAssignment boxesCountPropertyAssignment = getBoxesCountPropertyAssignment(); + + final SampleType sampleType = new SampleType(); + sampleType.setCode("STORAGE"); + sampleType.setPermId(new EntityTypePermId("STORAGE", EntityKind.SAMPLE)); + sampleType.setFetchOptions(fetchOptions.withType()); + sampleType.setPropertyAssignments(List.of(namePropertyAssignment, boxesCountPropertyAssignment)); + + final Space space = new Space(); + space.setCode("ELN_SETTINGS"); + space.setPermId(new SpacePermId("ELN_SETTINGS")); + + final Project project = new Project(); + project.setCode("STORAGES"); + project.setIdentifier(new ProjectIdentifier("/ELN_SETTINGS/STORAGES")); + + final Experiment experiment = new Experiment(); + experiment.setCode("STORAGES_COLLECTION"); + experiment.setIdentifier(new ExperimentIdentifier("/ELN_SETTINGS/STORAGES/STORAGES_COLLECTION")); + + final Experiment defaultExperiment = new Experiment(); + defaultExperiment.setCode("DEFAULT"); + defaultExperiment.setIdentifier(new ExperimentIdentifier("/DEFAULT/DEFAULT/DEFAULT")); + + final Calendar calendar = Calendar.getInstance(); + calendar.set(2023, Calendar.MARCH, 10, 17, 23, 44); + final Date registrationDate = calendar.getTime(); + + calendar.set(2023, Calendar.MARCH, 11, 17, 23, 44); + final Date modificationDate = calendar.getTime(); + + final Person registrator = new Person(); + registrator.setUserId("system"); + + final Person modifier = new Person(); + modifier.setUserId("test"); + + final Sample[] samples = new Sample[1]; + + samples[0] = new Sample(); + samples[0].setType(sampleType); + samples[0].setFetchOptions(fetchOptions); + samples[0].setPermId(new SamplePermId("200001010000000-0001")); + samples[0].setCode("BENCH"); + samples[0].setIdentifier(new SampleIdentifier(space.getCode(), project.getCode(), null, "BENCH")); + samples[0].setSpace(space); + samples[0].setProject(project); + samples[0].setExperiment(experiment); + samples[0].setProperty("$NAME", getResourceFileContent("ch/ethz/sis/openbis/generic/server/xls/export/resources/lorem-ipsum.txt")); + samples[0].setProperty("$STORAGE.BOX_NUM", "9999"); + samples[0].setRegistrator(registrator); + samples[0].setModifier(modifier); + samples[0].setRegistrationDate(registrationDate); + samples[0].setModificationDate(modificationDate); + + return Arrays.stream(samples).collect(Collectors.toMap(Sample::getPermId, Function.identity(), + (sample1, sample2) -> sample2, LinkedHashMap::new)); + } + + private PropertyAssignment getBoxesCountPropertyAssignment() + { + final PropertyType propertyType = new PropertyType(); + propertyType.setCode("$STORAGE.BOX_NUM"); + propertyType.setLabel("Number of Boxes"); + propertyType.setDescription("Number of Boxes"); + propertyType.setDataType(DataType.INTEGER); + propertyType.setManagedInternally(true); + + final PropertyAssignment propertyAssignment = new PropertyAssignment(); + propertyAssignment.setFetchOptions(getPropertyAssignmentFetchOptions()); + propertyAssignment.setPropertyType(propertyType); + propertyAssignment.setMandatory(false); + propertyAssignment.setShowInEditView(true); + propertyAssignment.setSection("General info"); + + return propertyAssignment; + } + + private PropertyAssignment getNamePropertyAssignment() + { + final PropertyType propertyType = new PropertyType(); + propertyType.setCode("$NAME"); + propertyType.setLabel("Name"); + propertyType.setDescription("Name"); + propertyType.setDataType(DataType.VARCHAR); + propertyType.setManagedInternally(true); + + final PropertyAssignment propertyAssignment = new PropertyAssignment(); + propertyAssignment.setFetchOptions(getPropertyAssignmentFetchOptions()); + propertyAssignment.setPropertyType(propertyType); + propertyAssignment.setMandatory(false); + propertyAssignment.setShowInEditView(true); + propertyAssignment.setSection("General info"); + + return propertyAssignment; + } + + private PropertyAssignmentFetchOptions getPropertyAssignmentFetchOptions() + { + final PropertyAssignmentFetchOptions fetchOptions = new PropertyAssignmentFetchOptions(); + fetchOptions.withPropertyType(); + return fetchOptions; + } + + }); + } + + private static String getResourceFileContent(final String filePath) + { + try (final InputStream exampleTextInputStream = ExportTest.class.getClassLoader().getResourceAsStream(filePath)) + { + Objects.requireNonNull(exampleTextInputStream); + return new String(exampleTextInputStream.readAllBytes()); + } catch (final IOException e) + { + throw new RuntimeException(e); + } + } + +} diff --git a/server-application-server/sourceTest/java/ch/ethz/sis/openbis/generic/server/xls/export/XLSExportTest.java b/server-application-server/sourceTest/java/ch/ethz/sis/openbis/generic/server/xls/export/XLSExportTest.java index 4020180babf7f7a1a9b9ded3ee69f264046e1aa7..e7e215a9ab755c01e38949c70b8d0f92665b6272 100644 --- a/server-application-server/sourceTest/java/ch/ethz/sis/openbis/generic/server/xls/export/XLSExportTest.java +++ b/server-application-server/sourceTest/java/ch/ethz/sis/openbis/generic/server/xls/export/XLSExportTest.java @@ -30,6 +30,7 @@ import static org.testng.Assert.assertFalse; import static org.testng.Assert.assertTrue; import static org.testng.Assert.fail; +import java.io.IOException; import java.io.InputStream; import java.util.ArrayList; import java.util.Collection; @@ -58,6 +59,7 @@ import org.testng.annotations.Test; import ch.ethz.sis.openbis.generic.asapi.v3.IApplicationServerApi; import ch.ethz.sis.openbis.generic.asapi.v3.dto.common.id.ObjectPermId; +import ch.ethz.sis.openbis.generic.asapi.v3.dto.space.id.SpacePermId; import ch.systemsx.cisd.common.exceptions.UserFailureException; public class XLSExportTest @@ -280,14 +282,38 @@ public class XLSExportTest } } -// /** -// * Tests export of cells larger than 32k. -// */ -// @Test -// public void testLargeCellExport() -// { -// -// } + /** + * Tests export of cells larger than 32k. + */ + @Test + public void testLargeCellExport() throws IOException + { + final Expectations expectations = new SampleLargeCellExpectations(api, false); + mockery.checking(expectations); + + final XLSExport.PrepareWorkbookResult actualResult = XLSExport.prepareWorkbook( + api, SESSION_TOKEN, List.of(new ExportablePermId(SAMPLE, new SpacePermId("200001010000000-0001"))), + false, null, XLSExport.TextFormatting.PLAIN, false); + assertTrue(actualResult.getScripts().isEmpty()); + assertTrue(actualResult.getWarnings().isEmpty()); + + final InputStream stream = getClass().getClassLoader().getResourceAsStream( + "ch/ethz/sis/openbis/generic/server/xls/export/resources/export-sample-large-cell.xlsx"); + if (stream == null) + { + throw new IllegalArgumentException("File not found."); + } + final Workbook expectedResult = new XSSFWorkbook(stream); + + assertWorkbooksEqual(actualResult.getWorkbook(), expectedResult); + + final Map<String, String> valueFiles = actualResult.getValueFiles(); + assertEquals(valueFiles.size(), 1); + + final Map.Entry<String, String> entry = valueFiles.entrySet().iterator().next(); + assertEquals(entry.getKey(), "value-M5.txt"); + assertTrue(entry.getValue().length() > Short.MAX_VALUE); + } public static void assertWorkbooksEqual(final Workbook actual, final Workbook expected) { diff --git a/server-application-server/sourceTest/java/ch/ethz/sis/openbis/generic/server/xls/export/resources/export-sample-large-cell.xlsx b/server-application-server/sourceTest/java/ch/ethz/sis/openbis/generic/server/xls/export/resources/export-sample-large-cell.xlsx new file mode 100644 index 0000000000000000000000000000000000000000..c19eac77d4a8a9699d02110aa1bb2319a690dce9 Binary files /dev/null and b/server-application-server/sourceTest/java/ch/ethz/sis/openbis/generic/server/xls/export/resources/export-sample-large-cell.xlsx differ diff --git a/server-application-server/sourceTest/java/ch/ethz/sis/openbis/generic/server/xls/export/resources/lorem-ipsum.txt b/server-application-server/sourceTest/java/ch/ethz/sis/openbis/generic/server/xls/export/resources/lorem-ipsum.txt new file mode 100644 index 0000000000000000000000000000000000000000..5c8820eed3b2e0e8fccb8216d8370e85df4d891c --- /dev/null +++ b/server-application-server/sourceTest/java/ch/ethz/sis/openbis/generic/server/xls/export/resources/lorem-ipsum.txt @@ -0,0 +1,109 @@ +Lorem ipsum dolor sit amet, consectetur adipiscing elit. Sed semper elit a interdum accumsan. Vivamus dignissim erat in velit cursus, nec mollis augue sollicitudin. Vestibulum placerat, odio vitae malesuada venenatis, sapien mi finibus enim, sit amet imperdiet augue magna vitae dui. Nulla ut imperdiet magna. Suspendisse potenti. Etiam accumsan ante rhoncus justo feugiat dictum. Sed tempor, risus vel porttitor dignissim, odio lectus imperdiet erat, nec bibendum lacus ligula vel ex. Cras sodales aliquet ultricies. Lorem ipsum dolor sit amet, consectetur adipiscing elit. Proin gravida metus at dui lacinia, quis tincidunt dui porttitor. In velit metus, placerat et ultricies vitae, gravida sed eros. Aenean consectetur quis dui vitae semper. Aliquam pretium magna vel efficitur ultrices. Fusce feugiat placerat lacus, eget facilisis sapien consequat vel. Fusce sit amet orci posuere libero convallis volutpat vitae nec augue. + +Proin consectetur urna scelerisque libero viverra, quis imperdiet nisi porttitor. Vestibulum iaculis arcu eu tellus molestie tristique quis nec erat. Morbi dui turpis, euismod eleifend placerat nec, venenatis nec diam. Vivamus in feugiat mauris, ac ultricies orci. Aliquam vel dolor sed nulla tristique dignissim ut egestas elit. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas. Nulla in orci et tellus lacinia pulvinar. Nam non libero mollis ipsum accumsan blandit. Nam volutpat ex vitae lorem egestas posuere. Vivamus blandit elit ac ligula hendrerit, quis laoreet tellus aliquet. Mauris mollis enim rutrum imperdiet blandit. Morbi aliquet sem ac varius porta. Duis ultrices, ligula in pharetra dignissim, lorem leo tincidunt nisi, vitae imperdiet leo lorem ut nibh. + +Proin maximus enim vitae varius dictum. Integer vitae luctus mauris. Mauris efficitur nunc sit amet lorem maximus, eget vehicula erat euismod. Quisque iaculis aliquam neque, eu iaculis mi aliquam vel. In consectetur massa et pharetra tristique. Ut faucibus maximus metus sit amet condimentum. Nullam non lectus vestibulum, semper ante non, pharetra nunc. Quisque auctor ante ac leo vulputate, non congue velit tempor. Mauris quis lobortis lacus. Praesent elementum efficitur mi, ut aliquam dui sagittis id. Donec eget cursus mauris. Donec at dignissim dui. Nulla vehicula porttitor diam, ac semper massa tempor ac. Vestibulum vehicula molestie diam, eget auctor turpis ornare at. Suspendisse imperdiet arcu at neque fermentum sagittis. In suscipit metus non lacus vehicula consequat. + +In id fermentum neque. Proin id imperdiet nisi. Cras ornare viverra magna, eu rhoncus risus efficitur id. Suspendisse finibus lorem vel metus tempus, et varius nisi imperdiet. Sed a blandit urna, eget fringilla ex. Nunc placerat lorem vel risus euismod, facilisis lobortis nulla interdum. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas. Maecenas ornare blandit neque, quis tincidunt eros dictum non. Aliquam consectetur volutpat ultrices. Pellentesque blandit risus sapien, in accumsan mauris ullamcorper fermentum. Ut vestibulum feugiat nibh a rutrum. Maecenas maximus massa non mauris gravida pellentesque. Aenean ultricies sagittis augue, et blandit mauris facilisis eget. Nullam nibh ligula, euismod bibendum cursus in, ultrices finibus dolor. Duis at metus at quam tincidunt lacinia ut nec risus. + +Proin ac lectus nec sapien laoreet egestas sit amet non dui. Lorem ipsum dolor sit amet, consectetur adipiscing elit. Quisque at accumsan ipsum. Pellentesque ultrices ante eget iaculis porta. In rutrum nisl a diam varius viverra ut eu augue. Donec leo risus, porta at pretium sit amet, tincidunt et justo. Quisque aliquam lectus sed ligula ultrices congue. Nulla at scelerisque massa. Integer accumsan varius odio, vitae tempus ex fermentum ut. Nullam vitae nunc ut ex accumsan lacinia at at metus. Interdum et malesuada fames ac ante ipsum primis in faucibus. Quisque tristique dignissim mi. Donec mollis maximus mattis. Etiam at nisi accumsan libero malesuada sodales non non diam. + +Cras eu nulla sodales, varius nisl id, finibus neque. In hendrerit sed orci a tempus. Sed quis lobortis nibh. In eleifend, nisl quis pretium molestie, lectus erat congue dolor, eget semper dolor est at felis. Nulla eros nisl, lobortis a malesuada eleifend, efficitur in libero. Pellentesque non turpis non purus convallis pulvinar. Vestibulum magna dolor, ultricies ut luctus vitae, tristique ac odio. In non molestie risus, a interdum risus. Aliquam non scelerisque ligula. Vestibulum eu augue felis. Nam blandit, sem a auctor luctus, tellus lectus ullamcorper nisi, quis dignissim justo orci ac ipsum. + +Etiam arcu ipsum, imperdiet quis risus non, viverra vehicula odio. Proin libero ante, dapibus nec eros vitae, sodales mattis quam. Donec ac tempor felis. Curabitur rutrum odio in augue efficitur, ac maximus est molestie. Nunc auctor commodo nunc non dictum. Proin pellentesque, felis ac gravida accumsan, tortor risus iaculis enim, ut facilisis dolor tellus quis metus. Curabitur pellentesque rhoncus erat sed pharetra. Sed ac mi et quam pulvinar eleifend. Praesent fermentum maximus placerat. Vestibulum pellentesque turpis in molestie mattis. Cras facilisis nisi sapien, sed imperdiet erat vulputate aliquam. Aenean ultricies, turpis sed consequat placerat, lectus odio aliquet purus, quis aliquam urna mi vel felis. Suspendisse efficitur efficitur dui sed imperdiet. Praesent sed tempor massa. + +Pellentesque quam metus, ultricies in tincidunt a, tincidunt ut ipsum. Etiam eget urna dignissim, rutrum nulla interdum, imperdiet mauris. Suspendisse maximus diam mi, egestas interdum neque sodales sit amet. Integer neque tortor, scelerisque ac arcu quis, gravida ornare est. Etiam a felis facilisis, semper magna a, molestie justo. Donec ac venenatis tellus. Sed commodo odio magna, eu tempor orci aliquet et. Duis dignissim nisl in lectus consequat, vel semper diam sodales. Pellentesque lacus ante, dignissim nec lacus eget, imperdiet malesuada tellus. Ut pharetra finibus mollis. Cras molestie ullamcorper diam, at consectetur magna ornare sed. + +Mauris vitae tempus mauris. Aenean felis dui, imperdiet quis porta vel, tristique non erat. In auctor posuere augue sit amet interdum. Fusce efficitur id sapien et vehicula. Nulla luctus nibh in lectus blandit, ornare porttitor velit tincidunt. Sed cursus tincidunt consectetur. Vivamus mollis magna dui, sed feugiat felis semper sed. Fusce dapibus lectus viverra pretium hendrerit. Nulla facilisi. Ut gravida viverra placerat. Praesent ut condimentum felis. + +Aenean lacinia diam tellus, vitae facilisis leo dapibus quis. Proin eget volutpat tortor. Aliquam ac lobortis mauris, nec sollicitudin arcu. Phasellus porta dignissim tristique. Mauris euismod arcu ut dolor sodales, sit amet maximus urna congue. Fusce imperdiet mollis tempus. Sed vitae eros vel ante ultrices convallis sed at felis. Mauris vitae velit quis quam congue venenatis. Aenean ut dui vitae purus ultrices egestas. Nam interdum dolor eu libero fermentum, ut hendrerit orci hendrerit. Donec tristique diam diam, eget porttitor elit pretium sed. Vivamus sollicitudin dolor nec dolor ornare eleifend. + +Nullam accumsan eget enim quis mattis. Sed ullamcorper elit maximus ornare malesuada. Sed at odio erat. Nulla felis felis, hendrerit et luctus nec, dignissim nec sapien. Fusce aliquet dolor sit amet neque hendrerit, non laoreet urna faucibus. Donec porta eleifend neque a pulvinar. Sed et magna erat. Curabitur maximus quis magna non luctus. Nam vitae blandit est. Suspendisse potenti. Phasellus luctus nec mauris vitae vestibulum. Vestibulum vitae arcu risus. Phasellus cursus congue eleifend. + +Proin luctus odio nisi, accumsan fringilla nisi pharetra at. Proin egestas quam lectus, sit amet elementum justo sagittis vestibulum. Suspendisse neque nibh, facilisis ut convallis vitae, convallis at sem. Cras sodales ligula vel leo eleifend tristique. Suspendisse ut fermentum turpis. Sed augue magna, posuere pellentesque lobortis id, pretium viverra velit. Nulla at arcu condimentum leo placerat facilisis. Integer semper arcu et elementum luctus. Donec pretium cursus suscipit. Etiam lobortis vulputate purus eget dapibus. Morbi venenatis gravida interdum. Nulla sapien sem, posuere nec nulla ut, rhoncus fermentum tellus. Cras arcu eros, condimentum a leo in, sagittis ullamcorper nisi. Duis vestibulum quis nisl at egestas. + +Curabitur volutpat eget mauris eget porttitor. Proin iaculis, sapien aliquam scelerisque maximus, metus magna varius purus, eu hendrerit lectus sapien in turpis. Nulla dui lacus, pretium vitae consequat id, rutrum at sem. Maecenas dignissim eget purus vel feugiat. Proin pulvinar mauris eget diam viverra, vitae vulputate nibh cursus. Aliquam sem ipsum, accumsan accumsan purus at, lobortis pellentesque sem. Vivamus nec pulvinar elit. Nunc vitae leo sagittis libero mollis aliquam eget vitae mi. + +Sed urna orci, gravida et sollicitudin pellentesque, dignissim eu urna. Curabitur sit amet est ultricies, posuere nibh eget, pharetra nulla. Morbi vitae leo vel lorem pulvinar volutpat quis at ante. Cras non convallis ex. Class aptent taciti sociosqu ad litora torquent per conubia nostra, per inceptos himenaeos. Vestibulum ante ipsum primis in faucibus orci luctus et ultrices posuere cubilia curae; Sed libero tortor, sagittis id risus vitae, volutpat luctus lacus. Duis sed magna quis nisl ultricies bibendum in sit amet mi. Cras eros tellus, euismod ut vehicula in, molestie eget augue. + +Proin fringilla dui sed quam pretium hendrerit. Nullam sit amet nibh tempus, maximus nisi sed, auctor ipsum. Quisque non ante imperdiet, volutpat felis ac, aliquet mi. Nulla pellentesque ut lacus vulputate dignissim. Pellentesque ullamcorper, justo bibendum mollis feugiat, tortor arcu varius nisl, ac iaculis eros turpis eu lacus. Fusce et laoreet metus. Mauris facilisis sit amet turpis sed dapibus. Vestibulum finibus nisl purus, non sagittis metus porttitor vel. Sed ut lectus ac arcu semper lacinia euismod vel turpis. Nulla ornare ipsum et urna tempus sollicitudin. Proin viverra urna eros, eget pretium enim sollicitudin et. Ut semper est vitae massa volutpat, id laoreet mauris scelerisque. + +Nam pharetra augue nisl, nec lacinia dolor elementum eu. Quisque diam dui, facilisis tristique convallis non, fermentum eu mauris. Praesent sagittis orci sed semper pulvinar. Aenean vel ipsum consequat, euismod sem sit amet, euismod odio. Praesent finibus ligula eget diam pellentesque, vitae lobortis sapien dapibus. Ut sed nulla et ante vulputate laoreet. Pellentesque dignissim condimentum mauris. Nulla elit nisi, interdum quis lobortis in, aliquet ac nulla. Nullam ut libero risus. Integer fringilla ipsum erat, in sodales nisi vestibulum id. Donec vitae ultrices turpis. Donec id velit pharetra, cursus nisl eget, varius odio. + +Aenean consequat placerat risus in vulputate. Cras hendrerit quam sit amet velit fringilla blandit. Morbi ultricies est nibh, quis convallis massa porttitor eu. Duis tempus fermentum nunc. Aliquam quis augue venenatis, euismod urna ultrices, lacinia nulla. Nullam ornare magna arcu. Integer venenatis finibus massa. Maecenas et quam nulla. Suspendisse ante augue, pretium nec aliquet sed, lobortis nec mauris. Nullam interdum dolor id placerat mollis. Nam congue ligula a odio bibendum, et vulputate arcu faucibus. + +Ut viverra cursus nisl, sed pellentesque erat faucibus et. Vestibulum sit amet libero ultricies libero aliquam semper ac nec metus. Donec hendrerit lacus arcu, et ultricies nibh facilisis ut. Fusce sit amet augue et lorem accumsan condimentum id quis justo. Curabitur varius turpis sed quam tempus hendrerit. In auctor tellus sit amet elementum lobortis. Nullam massa elit, malesuada suscipit tristique in, accumsan ut eros. Vivamus bibendum elit eu leo egestas suscipit. + +Integer aliquet tempus lacinia. In massa felis, tempor in ultricies in, laoreet a dolor. Proin odio turpis, volutpat at mi vitae, egestas blandit felis. Praesent viverra leo quis velit sagittis, vel varius sapien mattis. Fusce ut molestie lorem. Maecenas vulputate, velit at eleifend efficitur, mauris tellus vestibulum leo, ac maximus neque diam sed erat. Etiam leo nisi, rutrum sed maximus sed, sagittis in ipsum. + +Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas. Class aptent taciti sociosqu ad litora torquent per conubia nostra, per inceptos himenaeos. Fusce venenatis ligula at urna auctor, non lacinia eros tincidunt. Sed lacinia hendrerit diam, ac finibus augue lobortis molestie. Nulla dui tellus, ultrices quis efficitur nec, elementum a leo. Nulla lacinia non neque id condimentum. Nulla molestie fermentum porta. Sed viverra molestie arcu non ultricies. Fusce placerat metus at tellus cursus viverra. + +Suspendisse felis orci, semper interdum fringilla vitae, pretium ut mi. Donec lacinia a tortor quis dapibus. Nulla fermentum elit ac est tincidunt, in consectetur arcu congue. Sed sodales libero a mattis blandit. Pellentesque id elementum nulla. Duis at mauris quis risus consectetur luctus. Nulla vel euismod risus. Morbi vel magna sed metus efficitur ultrices. Cras sit amet metus in urna tempor consequat in a lectus. + +Curabitur at gravida eros, quis ultrices augue. Nunc erat est, semper eu lacus sed, molestie dictum ex. Curabitur risus magna, rhoncus in dapibus sed, dignissim iaculis nulla. Donec quis enim quis orci posuere mollis. Sed placerat risus tellus. Donec egestas aliquam elit, eu efficitur elit venenatis non. Vestibulum in diam at lectus porttitor ultricies vel eu orci. Curabitur nulla dui, porta vel metus eget, cursus consequat nibh. Quisque sit amet lacus sit amet quam malesuada ultrices eget non arcu. + +Donec consectetur at mi ut luctus. Donec mollis, ante a vulputate lobortis, leo magna gravida sapien, faucibus sollicitudin nibh orci sit amet odio. Nulla volutpat eros vitae urna varius vulputate non quis metus. Praesent dignissim, massa id auctor sagittis, lacus libero fermentum ante, eu laoreet lorem urna quis tortor. Lorem ipsum dolor sit amet, consectetur adipiscing elit. Aliquam mauris mauris, consequat vel fermentum ac, sagittis et purus. Praesent dignissim neque et fringilla pretium. Morbi volutpat ex vel lectus interdum suscipit. + +In id eleifend massa, in accumsan felis. Nulla facilisi. Fusce accumsan rhoncus dolor, in convallis mi sodales volutpat. Suspendisse euismod, ante ut pulvinar convallis, enim dolor dapibus eros, vitae faucibus eros arcu quis felis. Vestibulum et sapien quis ligula scelerisque aliquam quis ac lectus. Vestibulum ac pharetra dolor. Phasellus sollicitudin risus arcu, vel aliquet purus viverra vitae. Sed ut urna at arcu scelerisque porttitor. Proin ullamcorper lacus ac turpis fermentum, sit amet rutrum purus dignissim. Praesent non mauris sed justo aliquam interdum eget ac risus. Pellentesque scelerisque lectus vel augue auctor, sed cursus mauris vehicula. Suspendisse potenti. + +Mauris hendrerit ac nisi ac tincidunt. Morbi ut auctor dui. Aenean lacus felis, ullamcorper in pretium et, posuere ac quam. Vivamus elementum tellus sem, sit amet varius nisl auctor sit amet. Maecenas facilisis, mi nec vehicula molestie, ante sem placerat felis, vel mattis risus lorem et ipsum. Mauris ultrices lorem eu nulla eleifend, non mollis eros blandit. Nullam a sollicitudin quam. Integer eget dictum augue. Pellentesque semper, ex at eleifend laoreet, augue tortor tempor dolor, in semper tortor sem et nibh. Suspendisse quis pharetra nisi, ac ornare mi. Aenean urna felis, posuere vitae eros id, posuere accumsan justo. Suspendisse potenti. Aenean purus mi, venenatis quis sem ullamcorper, dictum suscipit urna. + +Praesent sed pretium neque. Nam mollis dui interdum mauris rutrum, vitae tempor nibh consectetur. Vivamus accumsan pulvinar orci, ac dapibus ex interdum eu. Donec dapibus odio eu neque maximus, id dignissim erat dapibus. Fusce nec lectus molestie, maximus lorem at, feugiat massa. Donec quis ultricies mauris. Integer tellus neque, ultricies sit amet condimentum ac, scelerisque vitae lectus. Duis cursus ligula nibh, a ullamcorper ipsum fermentum sit amet. Phasellus rutrum sit amet nulla non congue. Phasellus vulputate ex porttitor nisl euismod tincidunt. + +Cras nibh risus, condimentum sed diam at, fermentum convallis nibh. Aenean rhoncus volutpat erat, vitae tincidunt ipsum rhoncus ut. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas. Nulla sit amet velit ante. Proin eget purus dolor. Donec ac odio et elit aliquam posuere. Mauris feugiat vestibulum arcu, quis scelerisque nunc faucibus ut. Suspendisse potenti. Ut semper lacus ac lacinia scelerisque. Suspendisse nec urna dui. + +Ut vel placerat libero, in dapibus mauris. Vivamus a consequat ex. Nullam tincidunt erat augue, vitae molestie ipsum euismod quis. Nam dapibus interdum pretium. Integer sodales eros erat. Maecenas euismod enim quis velit euismod imperdiet. Donec feugiat orci eget leo eleifend, sit amet interdum lectus mollis. Cras mauris eros, egestas et lobortis in, dictum ac metus. Quisque vitae efficitur dolor. Vivamus laoreet, nunc in gravida lacinia, elit ipsum lacinia nisl, in sodales dolor enim eget felis. Vestibulum aliquet, dolor quis blandit scelerisque, leo mauris placerat sem, a porta lacus felis in urna. Aliquam molestie, risus in accumsan posuere, enim nunc faucibus mi, non tristique arcu libero faucibus ligula. Donec felis nisi, ultrices sed ultrices nec, lobortis sed tellus. Quisque nec odio tempus, porta ligula non, iaculis metus. Phasellus vestibulum mi a convallis ultricies. Proin scelerisque sem ac massa tincidunt viverra. + +Sed finibus efficitur eros ut porta. Integer viverra hendrerit accumsan. Sed tincidunt velit arcu, eget luctus velit semper ut. Cras semper nibh ligula, non posuere dui mattis ac. Morbi risus augue, suscipit quis molestie vitae, aliquet sed tellus. Pellentesque pellentesque vel libero id ultrices. Nunc nec porta eros, id consequat nisi. Vivamus elit lacus, ultrices non ullamcorper sit amet, accumsan eu metus. Curabitur vitae ligula sit amet dolor tincidunt euismod et et metus. Aenean nulla turpis, varius suscipit blandit sed, placerat at nibh. Curabitur eget elementum ex. Integer non leo id libero aliquam ultrices a quis purus. + +Aliquam eget dolor ligula. Nulla fringilla mollis sem nec imperdiet. Donec tristique elit magna, id vehicula lectus cursus vitae. Class aptent taciti sociosqu ad litora torquent per conubia nostra, per inceptos himenaeos. Donec et nibh vel lacus vulputate iaculis. Vivamus id lectus metus. Sed non justo ut lacus gravida ultrices. Quisque bibendum convallis nisi, a molestie sem egestas vitae. + +Pellentesque feugiat est eu leo fermentum, at auctor quam consequat. Mauris lobortis quis sapien a rutrum. Fusce dui nulla, tempus vitae aliquam blandit, facilisis quis ex. Nam sed condimentum erat, ac bibendum ipsum. In libero lacus, pretium quis iaculis id, posuere in nibh. Sed a consequat velit, ullamcorper tincidunt est. Ut posuere metus ligula. Suspendisse tincidunt eros semper scelerisque vestibulum. + +Praesent condimentum tellus ut lacus accumsan, et elementum dui tristique. Proin ornare mauris vitae elit posuere, ac maximus risus lacinia. Mauris fringilla augue quam, id pulvinar nibh volutpat a. Proin at odio in ex varius placerat at in felis. Ut nibh massa, semper sit amet eros in, convallis dignissim dui. Sed in ipsum at nisi bibendum eleifend vel eleifend odio. Ut sed lacus lobortis ex porta consequat non sed sem. Quisque lacinia augue nibh, vel ornare ligula semper nec. In vulputate sollicitudin enim sed mattis. Cras et posuere ligula. + +Quisque eu orci a sapien dapibus mollis. Nullam tempor turpis mauris, eget accumsan quam porta id. Aliquam viverra metus a magna varius pulvinar. Curabitur tincidunt interdum sapien tincidunt faucibus. Suspendisse et lobortis neque. Donec elementum tincidunt nulla, ut ultricies neque porttitor id. Integer lacinia at sapien vel facilisis. Donec facilisis, dui quis fermentum imperdiet, ante justo iaculis lacus, at hendrerit mi justo a nisl. + +Maecenas euismod sapien et malesuada egestas. Nunc non vestibulum dui. Ut tellus metus, ultricies venenatis dolor vel, maximus cursus ex. Donec laoreet ut erat nec aliquam. Nam tincidunt non leo a tempor. Aliquam laoreet orci ante. Fusce tincidunt velit sapien, quis sagittis ipsum facilisis ac. Nunc a feugiat lacus, at suscipit diam. Integer fermentum nunc vitae scelerisque lacinia. Aenean a imperdiet orci, a hendrerit justo. Phasellus sit amet metus libero. Aenean accumsan lobortis elementum. Vivamus a tempus odio, ac feugiat lorem. Etiam lacus purus, congue nec congue eu, suscipit vel odio. + +Pellentesque quis varius nibh. Phasellus bibendum laoreet orci vitae fringilla. Cras convallis eget orci in consectetur. Nulla sagittis, dui eu interdum suscipit, enim dolor gravida tortor, in porta erat arcu eu sem. Praesent non tristique nunc. Duis quis sem ultricies, condimentum dolor sollicitudin, sollicitudin nulla. Morbi ac porttitor libero, et faucibus ipsum. Aliquam turpis nisl, egestas sed dapibus in, fringilla et turpis. In ac odio libero. Aenean molestie imperdiet risus maximus dignissim. Donec iaculis eros vel tellus porttitor, eu blandit tellus tempus. + +Mauris nec enim mi. Mauris ullamcorper ut mi non vehicula. Phasellus non nunc non lorem venenatis pellentesque nec non velit. Sed ultrices justo vitae congue fringilla. Vivamus luctus rutrum risus eu dictum. Phasellus mollis malesuada leo nec pellentesque. Sed semper dolor nec est elementum, vitae vehicula ligula rutrum. Vivamus elementum rutrum porta. Proin venenatis ligula id leo feugiat aliquam at vestibulum lacus. Integer egestas purus vitae sagittis eleifend. Cras laoreet massa enim, eget rutrum neque lobortis vel. Vivamus ultricies orci quis fringilla commodo. Cras sit amet dolor tempor, auctor dui at, convallis elit. Integer at augue sed odio pellentesque sodales. + +Aliquam pellentesque, felis sed iaculis ullamcorper, est sem hendrerit dolor, vel ullamcorper enim orci eget ex. Nulla a lectus scelerisque eros accumsan auctor pharetra non nunc. Morbi pretium lacinia nibh eget accumsan. Nullam blandit sollicitudin leo et tempor. Nam sit amet luctus turpis. Donec eleifend nunc mi, vitae hendrerit diam hendrerit sed. Fusce molestie sollicitudin rutrum. Donec tempus neque dolor, eget tincidunt dolor consectetur eget. Fusce quis diam sit amet est congue auctor at cursus erat. Pellentesque ac luctus est. Vivamus nisl metus, hendrerit nec tortor vitae, placerat bibendum nisi. Nunc id metus ac tortor hendrerit tempus. Etiam scelerisque tortor in sagittis condimentum. Cras pretium felis eu porta hendrerit. Praesent sollicitudin vehicula dui, non condimentum nisi iaculis et. Suspendisse pretium felis sit amet libero feugiat egestas. + +Etiam fringilla laoreet nulla sit amet pulvinar. Vestibulum at erat sed risus luctus rutrum sit amet a lectus. Aliquam fringilla posuere lacus, nec aliquam metus mollis sed. Duis mollis erat id quam tempus, quis sollicitudin quam rutrum. Etiam elit nunc, varius at dignissim sed, molestie vel mauris. Maecenas vel nunc urna. Integer fermentum facilisis dui sit amet lacinia. Integer feugiat iaculis accumsan. + +Praesent sit amet varius urna, nec fringilla felis. Donec hendrerit nisl suscipit neque dapibus, sit amet eleifend elit viverra. Quisque sodales nisi velit, id efficitur metus molestie vitae. Duis nec pulvinar odio. Vivamus dapibus, purus quis congue efficitur, lectus dolor consectetur lacus, ac aliquam tortor nisi nec sem. Maecenas lacus neque, hendrerit euismod condimentum vel, sagittis in felis. Maecenas ultrices massa ut molestie rutrum. + +Orci varius natoque penatibus et magnis dis parturient montes, nascetur ridiculus mus. Suspendisse rhoncus arcu et molestie blandit. Vivamus lorem sem, sagittis nec eleifend nec, consectetur sed urna. Fusce vitae libero ac velit semper blandit. Suspendisse elementum non tortor vitae pretium. Vivamus mi urna, porta eget iaculis at, tempor sed eros. Etiam congue arcu nisi, a commodo libero imperdiet non. Donec non ex id urna suscipit porta quis et purus. In faucibus ut nibh ut rutrum. Praesent efficitur ornare urna. Vivamus ornare eleifend nibh id vulputate. Nam aliquet varius molestie. Donec ultrices at risus vitae venenatis. Phasellus consequat auctor orci, ac interdum est consequat id. Vestibulum accumsan erat eu facilisis tempus. + +Mauris rhoncus quam efficitur sem dignissim, sed pretium urna facilisis. Donec eget nibh sapien. Pellentesque molestie dui id tempus tincidunt. Nam a mi suscipit, varius tellus condimentum, porta quam. Sed consequat tellus mauris, iaculis suscipit diam condimentum eu. Vivamus nec nibh mattis, tincidunt risus vitae, posuere quam. Nunc a dapibus nulla. Morbi gravida pulvinar arcu, sit amet imperdiet libero maximus non. Donec placerat luctus nulla, et aliquet sem condimentum a. Cras ac tellus hendrerit erat volutpat dapibus a id mauris. Aliquam lobortis nisi dolor, sed consequat ante porttitor fringilla. Duis quis egestas turpis. + +Cras posuere pretium magna non fringilla. Integer ligula dolor, eleifend a tortor eu, accumsan fringilla augue. Sed quis turpis sem. In accumsan est sit amet scelerisque iaculis. Nullam venenatis efficitur eros vel molestie. Quisque lobortis lectus et lectus dignissim, a egestas ligula ultrices. Nullam condimentum efficitur lectus, ac euismod justo fringilla sed. Sed blandit luctus eleifend. Cras vehicula diam vel finibus ultrices. Donec ultrices sem sit amet enim venenatis, vitae malesuada nulla facilisis. Duis posuere arcu non cursus hendrerit. + +Interdum et malesuada fames ac ante ipsum primis in faucibus. Fusce fringilla nunc id scelerisque posuere. In blandit dignissim tristique. Nullam efficitur tempor justo ut sollicitudin. Proin accumsan ultrices mi, sit amet aliquet ex condimentum eu. Aenean scelerisque hendrerit massa at imperdiet. Nulla cursus pulvinar lacus quis pellentesque. Suspendisse sodales et est eu ultrices. Morbi a placerat mauris. Donec pellentesque mauris quis nisl pharetra ornare. Duis orci ex, laoreet et libero ac, dictum lobortis ipsum. + +Ut cursus lobortis pulvinar. Morbi blandit tincidunt felis, nec maximus felis dapibus ut. Nullam fringilla dapibus consequat. Nulla facilisi. Morbi dapibus aliquet neque sed venenatis. Quisque auctor enim at neque aliquam, vitae congue est accumsan. Donec at finibus velit. Proin et ex odio. Vivamus porta eget leo vitae ullamcorper. Cras at ante vel dui dignissim aliquam id ut turpis. Phasellus lobortis lorem mollis, placerat metus nec, facilisis elit. Vestibulum justo massa, consequat nec venenatis imperdiet, aliquam non ligula. + +Pellentesque scelerisque rhoncus ante, hendrerit tempus libero accumsan in. Pellentesque id accumsan neque. Nulla elementum viverra metus nec sollicitudin. Nullam auctor in leo quis euismod. Nullam orci libero, commodo nec auctor ut, hendrerit quis diam. Etiam vel aliquet ante. Pellentesque quis massa lectus. In congue et odio a auctor. Curabitur mattis hendrerit risus, id lobortis eros pretium in. Donec tincidunt justo et enim blandit aliquam. Morbi iaculis consectetur tellus ut auctor. Praesent at turpis ultrices, pretium magna suscipit, malesuada eros. Nullam mollis egestas erat, et sodales tortor porta tempus. Proin ut imperdiet est, et posuere lorem. Morbi eget est et sem viverra imperdiet id finibus orci. + +Vivamus at ante vitae tortor dictum accumsan vel sed lacus. Curabitur tortor ante, posuere aliquet nisi non, facilisis posuere neque. Proin sagittis et urna non suscipit. Sed at ante quam. Nullam tristique orci eget iaculis dapibus. In non sollicitudin augue, et lobortis orci. Aliquam nec vestibulum enim. Vestibulum vel ornare urna. Morbi sem orci, efficitur eu volutpat eu, interdum ac metus. + +Etiam semper nisl aliquet, interdum ante sit amet, sagittis turpis. Ut aliquam elementum quam, quis vestibulum eros posuere quis. Integer egestas elit nec scelerisque efficitur. Nunc facilisis dui at nulla luctus sagittis. Nullam posuere neque vel augue eleifend rhoncus. Mauris nec erat quam. Maecenas luctus velit eros. Maecenas auctor eleifend libero, sollicitudin vehicula diam egestas vulputate. Vivamus efficitur quam non enim vulputate pellentesque. Nulla vitae arcu imperdiet, sollicitudin orci ac, pretium quam. Fusce dui nulla, rutrum a vulputate vitae, viverra in dui. Nullam justo velit, sodales id tortor finibus, venenatis accumsan sapien. Aliquam pharetra lorem a metus sagittis, non aliquet leo eleifend. Donec pellentesque elementum libero, ac placerat sapien scelerisque eget. Nunc consectetur a risus vitae porttitor. Praesent vulputate tellus in metus pulvinar gravida. + +Integer auctor id lectus et vestibulum. Etiam malesuada, dolor non imperdiet vulputate, ex ligula pulvinar sem, id gravida dui dolor nec metus. Ut ac sapien libero. Praesent eget semper dolor. Donec bibendum nunc eget nulla facilisis, vitae aliquet ante pharetra. In magna enim, pellentesque et augue sit amet, efficitur imperdiet neque. Sed ligula sapien, faucibus in semper ac, vehicula eget mi. Ut tincidunt eget quam vitae pulvinar. Nullam ac hendrerit nibh. + +Morbi vestibulum metus in nisi ultrices efficitur. In accumsan pharetra tellus non commodo. Morbi turpis sapien, sagittis id nisl at, pellentesque sollicitudin ipsum. Praesent rhoncus orci lorem, quis lobortis erat fermentum in. Ut posuere elit turpis. Etiam a lobortis sapien. Fusce ultrices urna dolor, quis fringilla lacus fermentum eu. Fusce ut eleifend massa, ac accumsan erat. Curabitur consectetur venenatis ex vel ultricies. Vivamus at enim vitae augue placerat lobortis a at dui. + +Vivamus sed gravida risus, ac venenatis augue. Integer at suscipit dui. Nulla vitae elit ut metus gravida scelerisque. Duis at laoreet ligula. Nam ultricies, dui commodo gravida hendrerit, metus dolor venenatis odio, in condimentum lorem sem in sem. Praesent eu sollicitudin eros. Nam nec tortor et est bibendum pulvinar. Maecenas et varius sem. Sed quis facilisis enim. + +Proin consequat gravida tortor, eu ultricies metus molestie eu. Phasellus non blandit arcu. In maximus, magna in vulputate tempor, odio massa consequat lorem, ac vulputate ex erat eget risus. Mauris efficitur enim at consectetur malesuada. Pellentesque vitae nunc mollis, bibendum justo vitae, pretium nulla. Ut condimentum ante sit amet purus cursus, laoreet feugiat nisi viverra. Quisque dignissim augue libero, in accumsan dolor elementum vel. Quisque laoreet, nunc eget elementum eleifend, nibh neque malesuada nunc, ut ultrices justo sem a purus. Ut accumsan justo at egestas fringilla. Cras at dictum odio. Vestibulum fringilla sapien vel nulla sodales ornare. Maecenas vitae felis et arcu aliquet feugiat ac id ante. Donec fermentum tortor at velit mattis scelerisque. Sed convallis justo vel nibh consequat pellentesque. Vestibulum ante ipsum primis in faucibus orci luctus et ultrices posuere cubilia curae; + +Phasellus tellus urna, tempus ac posuere luctus, pellentesque a tortor. Suspendisse potenti. Suspendisse quis volutpat neque. Vivamus a nisl quis lorem pharetra varius. Sed quis felis vulputate, vestibulum dui nec, bibendum lorem. Aenean ac mauris justo. Proin finibus in felis sed maximus. Quisque et porta lacus. Cras blandit gravida velit at maximus. Etiam at urna pharetra, commodo sem eget, mollis tortor. Integer venenatis lacinia enim, finibus accumsan arcu egestas ac. In eros purus, finibus eu mollis sit amet, vulputate a dolor. + +Donec id leo non massa vehicula laoreet nec eget elit. Sed condimentum lacinia libero, in faucibus ligula. Suspendisse tincidunt, ante non aliquet vulputate, eros tellus maximus nulla, cursus malesuada ipsum ante vitae ante. Sed bibendum gravida pulvinar. Nam ante dui, sollicitudin eu ex id, egestas blandit nisl. Donec nec neque mauris. Morbi sit amet lorem id metus suscipit tristique. Proin in dui mauris. Etiam a ex vitae nibh faucibus elementum. + +Vivamus eget aliquam mauris. In tempor fermentum tempor. Sed cursus tortor et augue convallis iaculis. Sed interdum finibus orci, vel iaculis justo efficitur euismod. In id scelerisque nulla. Phasellus erat nibh, sagittis sit amet volutpat sed, porttitor eget leo. Fusce vulputate pulvinar ornare. Ut at consectetur metus, et dignissim urna. Vestibulum tortor nunc, ultricies ac lobortis eu, hendrerit id leo. Vivamus scelerisque finibus eros id fringilla. In eget neque elit. Curabitur eu ipsum sed nunc lacinia venenatis a malesuada quam. + +Donec imperdiet congue nunc sed tempor. Mauris volutpat mauris eget dui fermentum vulputate. Ut auctor nisl ac nisl dapibus, a elementum purus pharetra. Maecenas efficitur quis odio nec blandit. Vivamus iaculis nec mauris nec consequat. Nunc pellentesque lectus justo, non tincidunt neque ultricies vel. Pellentesque portti \ No newline at end of file diff --git a/server-original-data-store/source/java/ch/ethz/sis/openbis/generic/server/dssapi/v3/executor/service/CustomDSSServiceProvider.java b/server-original-data-store/source/java/ch/ethz/sis/openbis/generic/server/dssapi/v3/executor/service/CustomDSSServiceProvider.java index 2fcc7f4f531e5a1a2691898ad01fda4af36cdc88..8b943861d9421734826d9276bdd7d09501c2516d 100644 --- a/server-original-data-store/source/java/ch/ethz/sis/openbis/generic/server/dssapi/v3/executor/service/CustomDSSServiceProvider.java +++ b/server-original-data-store/source/java/ch/ethz/sis/openbis/generic/server/dssapi/v3/executor/service/CustomDSSServiceProvider.java @@ -34,7 +34,7 @@ import java.util.*; public class CustomDSSServiceProvider implements InitializingBean, ICustomDSSServiceProvider { - public static final String SERVICES_PROPERTY_KEY = "custom-services"; + public static final String SERVICES_PROPERTY_KEY = "services"; public static final String CLASS_KEY = "class"; @@ -59,7 +59,10 @@ public class CustomDSSServiceProvider implements InitializingBean, ICustomDSSSe { String code = sectionProperties.getKey(); Properties properties = sectionProperties.getProperties(); - String className = PropertyUtils.getMandatoryProperty(properties, CLASS_KEY); + String className = properties.getProperty(CLASS_KEY, null);//PropertyUtils.getMandatoryProperty(properties, CLASS_KEY); + if(className == null) { + continue; + } CustomDSSService service = new CustomDSSService(); service.setCode(new CustomDssServiceCode(code)); service.setLabel(properties.getProperty(LABEL_KEY, code)); diff --git a/server-original-data-store/source/java/ch/systemsx/cisd/openbis/dss/generic/shared/Constants.java b/server-original-data-store/source/java/ch/systemsx/cisd/openbis/dss/generic/shared/Constants.java index b1f7b2caed1c1c070252512483496a7a85fbbf6d..df065ad5384dfa7123d2a57f06657f0676ce2b00 100644 --- a/server-original-data-store/source/java/ch/systemsx/cisd/openbis/dss/generic/shared/Constants.java +++ b/server-original-data-store/source/java/ch/systemsx/cisd/openbis/dss/generic/shared/Constants.java @@ -44,7 +44,7 @@ public class Constants public static final String PLUGIN_SERVICES_LIST_KEY = "plugin-services"; /** Key of service property which is a list of custom services. */ - public static final String CUSTOM_SERVICES_LIST_KEY = "custom-services"; + public static final String CUSTOM_SERVICES_LIST_KEY = "services"; public static String OVERVIEW_PLUGINS_SERVICES_LIST_KEY = "overview-plugins"; diff --git a/test-api-openbis-javascript/.gitignore b/test-api-openbis-javascript/.gitignore index 168a3b5bf0b10c33a8621a168d47807d01afb69c..bb20fe8f37ef763c4d7c960e103974bab64d3688 100644 --- a/test-api-openbis-javascript/.gitignore +++ b/test-api-openbis-javascript/.gitignore @@ -1,5 +1,8 @@ /bin /build/ /.idea/ +/node +/node_modules +package-lock.json *.iml *.eml \ No newline at end of file diff --git a/test-api-openbis-javascript/README.txt b/test-api-openbis-javascript/README.txt index 93b40da43f610faf1a00397a3e701600d447ba6d..86d397b556b1e04b7249bcc2b61f57c199a70d65 100644 --- a/test-api-openbis-javascript/README.txt +++ b/test-api-openbis-javascript/README.txt @@ -45,6 +45,16 @@ Otherwise you need to specify the path to your Geckodriver in makeGeckodriverExe Some Tips: ========== +TypeScript: +----------- + +All tests that have ".ts" extension are written in TypeScript. Therefore, before then can be run, they need to be compiled to JavaScript. +To do that you need to execute Gradle task named "compileTypeScript" in "test-api-openbis-javascript" module. + +The TypeScript compilation task is run automatically as part of the main "test" task that boots up the whole JavaScript tests machinery, +still if you develop your tests without shutting everything down, after each change of the TypeScript code you need to remember to run the TypeScript compilation again. +Otherwise, the browser will execute an old JavaScript code that does not contain your change. + Developing: ----------- diff --git a/test-api-openbis-javascript/build.gradle b/test-api-openbis-javascript/build.gradle index 24a2a393b936c2df7565ccf4a40a6de9e9163970..518c7da5577e544b8167ca2dd14bc4bac3c4c722 100644 --- a/test-api-openbis-javascript/build.gradle +++ b/test-api-openbis-javascript/build.gradle @@ -1,3 +1,7 @@ +plugins { + id "com.github.node-gradle.node" version "3.2.1" +} + evaluationDependsOn(':lib-commonbase') evaluationDependsOn(':lib-common') evaluationDependsOn(':api-openbis-java') @@ -10,7 +14,6 @@ evaluationDependsOn(':server-original-data-store') evaluationDependsOn(':test-ui-core') evaluationDependsOn(':server-screening') - apply from: '../build/javaproject.gradle' sourceSets { @@ -96,6 +99,24 @@ clean.dependsOn deleteFullTextSearchDocumentVersion import org.gradle.internal.os.OperatingSystem +node { + download = true + version = '18.12.1' + workDir = file("${projectDir}/node/nodejs") + nodeModulesDir = file("${projectDir}") +} + +task copyTypeScriptDTS(type: Copy, dependsOn: [':api-openbis-typescript:generateTypeScript']) { + from project(':api-openbis-javascript').file('src/v3/openbis.esm.d.ts') + into file('servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/types/') +} + +task compileTypeScript(type: NpxTask, dependsOn: copyTypeScriptDTS) { + dependsOn 'npmInstall' + command = 'tsc' + args = ['--build', 'servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/tsconfig.json'] +} + test { useTestNG() def eln = System.getProperty("eln") == "yes" ? "-eln" : "" @@ -129,6 +150,7 @@ test { test.dependsOn clean test.dependsOn copyWar test.dependsOn copyBlast +test.dependsOn compileTypeScript test.finalizedBy deleteBlast diff --git a/test-api-openbis-javascript/package.json b/test-api-openbis-javascript/package.json new file mode 100644 index 0000000000000000000000000000000000000000..7c889922c645355f5210ff17c33abc3e652c1a54 --- /dev/null +++ b/test-api-openbis-javascript/package.json @@ -0,0 +1,5 @@ +{ + "dependencies": { + "typescript": "^5.3.3" + } +} diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/.gitignore b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/.gitignore new file mode 100644 index 0000000000000000000000000000000000000000..969a85b2c1e56ba85e2a611bbf63b78449087706 --- /dev/null +++ b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/.gitignore @@ -0,0 +1,2 @@ +/test/lib/openbis +/test-compiled \ No newline at end of file diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/.prettierrc b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/.prettierrc new file mode 100644 index 0000000000000000000000000000000000000000..a8216061f3feb04ebd1430f23a3ddd1ce1c4e003 --- /dev/null +++ b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/.prettierrc @@ -0,0 +1,5 @@ +{ + "printWidth": 150, + "tabWidth": 4, + "semi": false +} diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/index.d.ts b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/index.d.ts new file mode 100644 index 0000000000000000000000000000000000000000..83c0824e62095cec987901098fdce8e8ef3145f7 --- /dev/null +++ b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/index.d.ts @@ -0,0 +1,21 @@ +import openbis from "./test/types/openbis.esm" + +declare global { + interface Window { + openbis: openbis.bundle + openbisESM: openbis.bundle + } + + interface QUnit { + module: (moduleName: string) => void + test: (name: string, callback: (assert: any) => void) => void + } + + var QUnit: QUnit + var exports: any + + function define(names: string[], callback: (...modules: any) => void): void + function require(names: string[], callback: (...modules: any) => void): void +} + +export {} diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/index.html b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/index.html index 6ac28d4ed544cb15151de6e766d8be0f496a6da0..6d63ffaf77faeaa6ef2138da7dac7d3ac9de5544 100644 --- a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/index.html +++ b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/index.html @@ -19,9 +19,12 @@ <!-- AMD module (using requireJS) --> <script src="/openbis/resources/api/v3/config.js"></script> <script> - var testPath = "/openbis/webapp/openbis-v3-api-test/test"; + var testPathRoot = "/openbis/webapp/openbis-v3-api-test"; + var testPath = testPathRoot + "/test"; + var testCompiledPath = testPathRoot + "/test-compiled"; require.paths["test"] = testPath; + require.paths["test-compiled"] = testCompiledPath; require.paths["test/qunit"] = testPath + "/lib/qunit/js/qunit"; require.paths["test/qunit-report"] = testPath + "/lib/qunit/js/qunit-reporter-junit"; require.paths["test/naturalsort"] = testPath + "/lib/naturalsort/js/naturalSort"; diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/common.js b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/common.js index 42a1cdd06c87fa6c1239de158ff426981bbb11a9..41ecc6d1a0ea4179f966fec3ffe69671f9cf82dc 100644 --- a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/common.js +++ b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/common.js @@ -1059,6 +1059,10 @@ define([ 'jquery', 'underscore'], function($, _) { this.assert.equal(actual, expected, msg); }; + this.assertDeepEqual = function(actual, expected, msg) { + this.assert.deepEqual(actual, expected, msg); + }; + this.assertNotEqual = function(actual, expected, msg) { this.assert.notEqual(actual, expected, msg); }; diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/main.js b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/main.js index dbdb73ee8f8345755bf0f0216884ab6f9bb5ffe1..8e1644af6b7f40c3f6b8c2eaa0f3d83bcb9a0e07 100644 --- a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/main.js +++ b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/main.js @@ -1,29 +1,38 @@ define([ - 'test/test-login', - 'test/test-jsVSjava', - 'test/test-create', - 'test/test-update', - 'test/test-search', + "test-compiled/test-login", + "test/test-jsVSjava", + "test-compiled/test-create", + "test-compiled/test-update", + "test-compiled/test-search", - 'test/test-freezing', - 'test/test-get', - 'test/test-delete', - 'test/test-execute', - 'test/test-evaluate', - 'test/test-json', + "test-compiled/test-freezing", + "test-compiled/test-get", + "test-compiled/test-delete", + "test-compiled/test-execute", + "test-compiled/test-evaluate", + "test/test-json", -// 'test/test-dto', - 'test/test-dto-roundtrip', - 'test/test-custom-services', - 'test/test-dss-services', - 'test/test-archive-unarchive', + // 'test/test-dto', + "test/test-dto-roundtrip", + "test-compiled/test-custom-services", + "test-compiled/test-dss-services", + "test-compiled/test-archive-unarchive", + "test-compiled/test-import-export", + "test-compiled/test-typescript", +], function () { + var testSuites = arguments + return async function () { + for (var i = 0; i < testSuites.length; i++) { + var suite = testSuites[i] - 'test/test-import-export' - ], function() { - var testSuites = arguments; - return function() { - for (var i = 0; i < testSuites.length; i++) { - testSuites[i](); - } - }; -}); + if (typeof suite === "object") { + var suite = await suite.default + suite() + } else if (typeof suite === "function") { + suite() + } else { + throw Error("Unsupported suite format " + suite) + } + } + } +}) diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/openbis-execute-operations.js b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/openbis-execute-operations.js index 047649ffbf93068bbcd28ba9779e376d4c081f84..8f57a107fb9f6b3bc58d7f136d2c10eecced9969 100644 --- a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/openbis-execute-operations.js +++ b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/openbis-execute-operations.js @@ -119,6 +119,10 @@ define([], function() { return this._executeCreateOperation(new dtos.CreateExternalDmsOperation(creations)); } + this.createExternalDataManagementSystems = function(creations) { + return this._executeCreateOperation(new dtos.CreateExternalDmsOperation(creations)); + } + this.createSamples = function(creations) { return this._executeCreateOperation(new dtos.CreateSamplesOperation(creations)); } @@ -703,15 +707,18 @@ define([], function() { return facade.getDataStoreFacade.apply(facade, arguments); } - this.executeImport = function(importData, importOptions) { - return this._executeOperation(new dtos.ImportOperation(importData, importOptions)); - } - - this.executeExport = function(exportData, exportOptions) { - return this._executeOperation(new dtos.ExportOperation(exportData, exportOptions)); - } + this.executeImport = function (importData, importOptions) { + return this._executeOperation(new dtos.ImportOperation(importData, importOptions)).then(function (results) { + return results.getResults()[0] + }) + } - } + this.executeExport = function (exportData, exportOptions) { + return this._executeOperation(new dtos.ExportOperation(exportData, exportOptions)).then(function (results) { + return results.getResults()[0].getExportResult() + }) + } + } return executeOperationsFacade; diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-archive-unarchive.js b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-archive-unarchive.js deleted file mode 100644 index 69a2ae00ea8e5c4b46af4800b52cfff9fc154a47..0000000000000000000000000000000000000000 --- a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-archive-unarchive.js +++ /dev/null @@ -1,86 +0,0 @@ -define([ 'jquery', 'underscore', 'openbis', 'test/openbis-execute-operations', 'test/common', 'test/dtos' ], function($, _, openbis, openbisExecuteOperations, common, dtos) { - var executeModule = function(moduleName, facade, dtos) { - QUnit.module(moduleName); - - var testAction = function(c, fAction, actionType) { - c.start(); - - c.login(facade).then(function() { - c.ok("Login"); - return fAction(facade).then(function(result) { - c.ok(actionType); - c.finish(); - }); - }).fail(function(error) { - c.fail(error.message); - c.finish(); - }); - } - - QUnit.test("archiveDataSets()", function(assert) { - var c = new common(assert, dtos); - - var fAction = function(facade) { - return $.when(c.createDataSet(facade), c.createDataSet(facade)).then(function(permId1, permId2) { - var ids = [ permId1, permId2 ]; - return facade.archiveDataSets(ids, new dtos.DataSetArchiveOptions()); - }); - } - - testAction(c, fAction, "Archived"); - }); - - QUnit.test("unarchiveDataSets()", function(assert) { - var c = new common(assert, dtos); - - var fAction = function(facade) { - return $.when(c.createDataSet(facade), c.createDataSet(facade)).then(function(permId1, permId2) { - var ids = [ permId1, permId2 ]; - return facade.archiveDataSets(ids, new dtos.DataSetArchiveOptions()).then(function() { - return facade.unarchiveDataSets(ids, new dtos.DataSetUnarchiveOptions()); - }); - }); - } - - testAction(c, fAction, "Unarchived"); - }); - - QUnit.test("lockDataSets()", function(assert) { - var c = new common(assert, dtos); - - var fAction = function(facade) { - return $.when(c.createDataSet(facade), c.createDataSet(facade)).then(function(permId1, permId2) { - var ids = [ permId1, permId2 ]; - return facade.lockDataSets(ids, new dtos.DataSetLockOptions()); - }); - } - - testAction(c, fAction, "Lock"); - }); - - QUnit.test("unlockDataSets()", function(assert) { - var c = new common(assert, dtos); - - var fAction = function(facade) { - return $.when(c.createDataSet(facade), c.createDataSet(facade)).then(function(permId1, permId2) { - var ids = [ permId1, permId2 ]; - return facade.lockDataSets(ids, new dtos.DataSetLockOptions()).then(function() { - return facade.unlockDataSets(ids, new dtos.DataSetUnlockOptions()); - }); - }); - } - - testAction(c, fAction, "Unlock"); - }); - - } - - return function() { - executeModule("Archive/Unarchive (RequireJS)", new openbis(), dtos); - executeModule("Archive/Unarchive (RequireJS - executeOperations)", new openbisExecuteOperations(new openbis(), dtos), dtos); - executeModule("Archive/Unarchive (module VAR)", new window.openbis.openbis(), window.openbis); - executeModule("Archive/Unarchive (module VAR - executeOperations)", new openbisExecuteOperations(new window.openbis.openbis(), window.openbis), window.openbis); - executeModule("Archive/Unarchive (module ESM)", new window.openbisESM.openbis(), window.openbisESM); - executeModule("Archive/Unarchive (module ESM - executeOperations)", new openbisExecuteOperations(new window.openbisESM.openbis(), window.openbisESM), window.openbisESM); - } -}) \ No newline at end of file diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-archive-unarchive.ts b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-archive-unarchive.ts new file mode 100644 index 0000000000000000000000000000000000000000..0f99cdc2e950061c96460c9b3b8df075c42c75c9 --- /dev/null +++ b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-archive-unarchive.ts @@ -0,0 +1,109 @@ +import jquery from "./types/jquery" +import underscore from "./types/underscore" +import common from "./types/common" +import openbis from "./types/openbis.esm" + +exports.default = new Promise((resolve) => { + require(["jquery", "underscore", "openbis", "test/common", "test/openbis-execute-operations", "test/dtos"], function ( + $: jquery.JQueryStatic, + _: underscore.UnderscoreStatic, + openbisRequireJS, + common: common.CommonConstructor, + openbisExecuteOperations, + dtos + ) { + var executeModule = function (moduleName: string, facade: openbis.openbis, dtos: openbis.bundle) { + QUnit.module(moduleName) + + var testAction = function (c: common.CommonClass, fAction, actionType) { + c.start() + + c.login(facade) + .then(function () { + c.ok("Login") + return fAction(facade).then(function (result) { + c.ok(actionType) + c.finish() + }) + }) + .fail(function (error) { + c.fail(error.message) + c.finish() + }) + } + + QUnit.test("archiveDataSets()", function (assert) { + var c = new common(assert, dtos) + + var fAction = function (facade: openbis.openbis) { + return $.when(c.createDataSet(facade, "ALIGNMENT"), c.createDataSet(facade, "UNKNOWN")).then(function (permId1, permId2) { + var ids = [permId1, permId2] + return facade.archiveDataSets(ids, new dtos.DataSetArchiveOptions()) + }) + } + + testAction(c, fAction, "Archived") + }) + + QUnit.test("unarchiveDataSets()", function (assert) { + var c = new common(assert, dtos) + + var fAction = function (facade: openbis.openbis) { + return $.when(c.createDataSet(facade, "ALIGNMENT"), c.createDataSet(facade, "UNKNOWN")).then(function (permId1, permId2) { + var ids = [permId1, permId2] + return facade.archiveDataSets(ids, new dtos.DataSetArchiveOptions()).then(function () { + return facade.unarchiveDataSets(ids, new dtos.DataSetUnarchiveOptions()) + }) + }) + } + + testAction(c, fAction, "Unarchived") + }) + + QUnit.test("lockDataSets()", function (assert) { + var c = new common(assert, dtos) + + var fAction = function (facade: openbis.openbis) { + return $.when(c.createDataSet(facade, "ALIGNMENT"), c.createDataSet(facade, "UNKNOWN")).then(function (permId1, permId2) { + var ids = [permId1, permId2] + return facade.lockDataSets(ids, new dtos.DataSetLockOptions()) + }) + } + + testAction(c, fAction, "Lock") + }) + + QUnit.test("unlockDataSets()", function (assert) { + var c = new common(assert, dtos) + + var fAction = function (facade: openbis.openbis) { + return $.when(c.createDataSet(facade, "ALIGNMENT"), c.createDataSet(facade, "UNKNOWN")).then(function (permId1, permId2) { + var ids = [permId1, permId2] + return facade.lockDataSets(ids, new dtos.DataSetLockOptions()).then(function () { + return facade.unlockDataSets(ids, new dtos.DataSetUnlockOptions()) + }) + }) + } + + testAction(c, fAction, "Unlock") + }) + } + + resolve(function () { + executeModule("Archive/Unarchive (RequireJS)", new openbisRequireJS(), dtos) + executeModule("Archive/Unarchive (RequireJS - executeOperations)", new openbisExecuteOperations(new openbisRequireJS(), dtos), dtos) + executeModule("Archive/Unarchive (module VAR)", new window.openbis.openbis(), window.openbis) + executeModule( + "Archive/Unarchive (module VAR - executeOperations)", + new openbisExecuteOperations(new window.openbis.openbis(), window.openbis), + window.openbis + ) + executeModule("Archive/Unarchive (module ESM)", new window.openbisESM.openbis(), window.openbisESM) + executeModule( + "Archive/Unarchive (module ESM - executeOperations)", + new openbisExecuteOperations(new window.openbisESM.openbis(), window.openbisESM), + window.openbisESM + ) + }) + }) +}) diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-create.js b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-create.js deleted file mode 100644 index 4b20907a3cee421ff039dc2f6a2dcc4005af46fd..0000000000000000000000000000000000000000 --- a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-create.js +++ /dev/null @@ -1,1581 +0,0 @@ -define( - [ 'jquery', 'underscore', 'openbis', 'test/openbis-execute-operations', 'test/common', 'test/dtos' ], - function($, _, openbis, openbisExecuteOperations, common, dtos) { - var executeModule = function(moduleName, facade, dtos) { - QUnit.module(moduleName); - - var testCreate = function(c, fCreate, fFind, fCheck) { - c.start(); - - c.login(facade).then(function() { - return fCreate(facade).then(function(permIds) { - c.assertTrue(permIds != null && permIds.length == 1, "Entity was created"); - return fFind(facade, permIds[0]).then(function(entity) { - c.assertNotNull(entity, "Entity can be found"); - var token = fCheck(entity, facade); - if (token) { - token.then(function() { - c.finish() - }); - } else { - c.finish(); - } - }); - }); - }).fail(function(error) { - c.fail(error.message); - c.finish(); - }); - } - - QUnit.test("createPermIdStrings", function(assert) { - var c = new common(assert, dtos); - c.start(); - c.login(facade).then(function() { - return facade.createPermIdStrings(7).then(function(permIds) { - c.assertEqual(permIds.length, 7, "Number of perm ids"); - c.finish(); - }); - }).fail(function(error) { - c.fail(error.message); - c.finish(); - }); - }); - - QUnit.test("createCodes", function(assert) { - var c = new common(assert, dtos); - c.start(); - c.login(facade).then(function() { - return facade.createCodes("ABC-", dtos.EntityKind.SAMPLE, 7).then(function(codes) { - c.assertEqual(codes.length, 7, "Number of codes"); - c.finish(); - }); - }).fail(function(error) { - c.fail(error.message); - c.finish(); - }); - }); - - QUnit.test("createSpaces()", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("SPACE"); - - var fCreate = function(facade) { - var creation = new dtos.SpaceCreation(); - creation.setCode(code); - creation.setDescription("test description"); - return facade.createSpaces([ creation ]); - } - - var fCheck = function(space) { - c.assertEqual(space.getCode(), code, "Code"); - c.assertEqual(space.getDescription(), "test description", "Description"); - } - - testCreate(c, fCreate, c.findSpace, fCheck); - }); - - QUnit.test("createProjects()", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("PROJECT"); - - var fCreate = function(facade) { - var projectCreation = new dtos.ProjectCreation(); - projectCreation.setSpaceId(new dtos.SpacePermId("TEST")); - projectCreation.setCode(code); - projectCreation.setDescription("JS test project"); - attachmentCreation = new dtos.AttachmentCreation(); - attachmentCreation.setFileName("test_file"); - attachmentCreation.setTitle("test_title"); - attachmentCreation.setDescription("test_description"); - attachmentCreation.setContent(btoa("hello world!")); - projectCreation.setAttachments([ attachmentCreation ]); - return facade.createProjects([ projectCreation ]); - } - - var fCheck = function(project) { - c.assertEqual(project.getCode(), code, "Project code"); - c.assertEqual(project.getSpace().getCode(), "TEST", "Space code"); - c.assertEqual(project.getDescription(), "JS test project", "Description"); - var attachments = project.getAttachments(); - c.assertEqual(attachments[0].fileName, "test_file", "Attachment file name"); - c.assertEqual(attachments[0].title, "test_title", "Attachment title"); - c.assertEqual(attachments[0].description, "test_description", "Attachment description"); - c.assertEqual(atob(attachments[0].content), "hello world!", "Attachment content"); - c.assertEqual(attachments.length, 1, "Number of attachments"); - } - - testCreate(c, fCreate, c.findProject, fCheck); - }); - - QUnit.test("createExperiments()", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("EXPERIMENT"); - - var fCreate = function(facade) { - var experimentCreation = new dtos.ExperimentCreation(); - experimentCreation.setTypeId(new dtos.EntityTypePermId("HT_SEQUENCING")); - experimentCreation.setCode(code); - experimentCreation.setProjectId(new dtos.ProjectIdentifier("/TEST/TEST-PROJECT")); - experimentCreation.setTagIds([ new dtos.TagCode("CREATE_JSON_TAG") ]); - attachmentCreation = new dtos.AttachmentCreation(); - attachmentCreation.setFileName("test_file"); - attachmentCreation.setTitle("test_title"); - attachmentCreation.setDescription("test_description"); - attachmentCreation.setContent(btoa("hello world!")); - experimentCreation.setAttachments([ attachmentCreation ]); - experimentCreation.setProperty("EXPERIMENT_DESIGN", "SEQUENCE_ENRICHMENT"); - experimentCreation.setMetaData({"meta_key":"meta_value"}) - return facade.createExperiments([ experimentCreation ]); - } - - var fCheck = function(experiment) { - c.assertEqual(experiment.getCode(), code, "Experiment code"); - c.assertEqual(experiment.getType().getCode(), "HT_SEQUENCING", "Type code"); - c.assertEqual(experiment.getProject().getCode(), "TEST-PROJECT", "Project code"); - c.assertEqual(experiment.getProject().getSpace().getCode(), "TEST", "Space code"); - c.assertEqual(experiment.getTags()[0].code, "CREATE_JSON_TAG", "Tag code"); - var tags = experiment.getTags(); - c.assertEqual(tags[0].code, 'CREATE_JSON_TAG', "tags"); - c.assertEqual(tags.length, 1, "Number of tags"); - var attachments = experiment.getAttachments(); - c.assertEqual(attachments[0].fileName, "test_file", "Attachment file name"); - c.assertEqual(attachments[0].title, "test_title", "Attachment title"); - c.assertEqual(attachments[0].description, "test_description", "Attachment description"); - c.assertEqual(atob(attachments[0].content), "hello world!", "Attachment content"); - c.assertEqual(attachments.length, 1, "Number of attachments"); - var properties = experiment.getProperties(); - c.assertEqual(properties["EXPERIMENT_DESIGN"], "SEQUENCE_ENRICHMENT", "Property EXPERIMENT_DESIGN"); - c.assertEqual(Object.keys(properties), "EXPERIMENT_DESIGN", "Properties"); - var metaData = experiment.getMetaData(); - c.assertEqual(metaData["meta_key"], "meta_value", "metadata meta_key"); - } - - testCreate(c, fCreate, c.findExperiment, fCheck); - }); - - QUnit.test("createExperiment() with properties of type SAMPLE and DATE", function(assert) { - var c = new common(assert, dtos); - var propertyTypeCodeSample = c.generateId("PROPERTY_TYPE"); - var propertyTypeCodeDate = c.generateId("PROPERTY_TYPE"); - var experimentTypeCode = c.generateId("EXPERIMENT_TYPE"); - var code = c.generateId("EXPERIMENT"); - - var fCreate = function(facade) { - var propertyTypeCreation1 = new dtos.PropertyTypeCreation(); - propertyTypeCreation1.setCode(propertyTypeCodeSample); - propertyTypeCreation1.setDescription("hello"); - propertyTypeCreation1.setDataType(dtos.DataType.SAMPLE); - propertyTypeCreation1.setLabel("Test Property Type"); - var propertyTypeCreation2 = new dtos.PropertyTypeCreation(); - propertyTypeCreation2.setCode(propertyTypeCodeDate); - propertyTypeCreation2.setDescription("hello"); - propertyTypeCreation2.setDataType(dtos.DataType.DATE); - propertyTypeCreation2.setLabel("Test Property Type"); - return facade.createPropertyTypes([ propertyTypeCreation1, propertyTypeCreation2 ]).then(function(results) { - var assignmentCreation1 = new dtos.PropertyAssignmentCreation(); - assignmentCreation1.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCodeSample)); - var assignmentCreation2 = new dtos.PropertyAssignmentCreation(); - assignmentCreation2.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCodeDate)); - var experimentTypeCreation = new dtos.ExperimentTypeCreation(); - experimentTypeCreation.setCode(experimentTypeCode); - experimentTypeCreation.setPropertyAssignments([ assignmentCreation1, assignmentCreation2 ]); - return facade.createExperimentTypes([ experimentTypeCreation ]).then(function(results) { - var creation = new dtos.ExperimentCreation(); - creation.setTypeId(new dtos.EntityTypePermId(experimentTypeCode)); - creation.setCode(code); - creation.setProjectId(new dtos.ProjectIdentifier("/TEST/TEST-PROJECT")); - creation.setProperty(propertyTypeCodeSample, "20130412140147735-20"); - creation.setProperty(propertyTypeCodeDate, "2013-04-12"); - return facade.createExperiments([ creation ]); - }); - }); - } - - var fCheck = function(experiment) { - c.assertEqual(experiment.getCode(), code, "Experiment code"); - c.assertEqual(experiment.getType().getCode(), experimentTypeCode, "Type code"); - c.assertEqual(experiment.getProject().getCode(), "TEST-PROJECT", "Project code"); - c.assertEqual(experiment.getProject().getSpace().getCode(), "TEST", "Space code"); - c.assertEqual(experiment.getProperties()[propertyTypeCodeSample], "20130412140147735-20", "Sample property id"); - c.assertEqual(experiment.getProperties()[propertyTypeCodeDate], "2013-04-12", "Date property"); - c.assertEqual(experiment.getSampleProperties()[propertyTypeCodeSample][0].getIdentifier().getIdentifier(), "/PLATONIC/SCREENING-EXAMPLES/PLATE-1", "Sample property"); - } - - testCreate(c, fCreate, c.findExperiment, fCheck); - }); - - QUnit.test("createExperiment() with unique property", function(assert) { - var c = new common(assert, dtos); - var propertyTypeCodeUnique = c.generateId("PROPERTY_TYPE"); - var experimentTypeCode = c.generateId("EXPERIMENT_TYPE"); - var code = c.generateId("EXPERIMENT"); - var code2 = c.generateId("EXPERIMENT"); - - var fCreate = function(facade) { - var propertyTypeCreation1 = new dtos.PropertyTypeCreation(); - propertyTypeCreation1.setCode(propertyTypeCodeUnique); - propertyTypeCreation1.setDescription("unique text property"); - propertyTypeCreation1.setDataType(dtos.DataType.VARCHAR); - propertyTypeCreation1.setLabel("Test Unique Property Type"); - - return facade.createPropertyTypes([ propertyTypeCreation1 ]).then(function(results) { - var assignmentCreation1 = new dtos.PropertyAssignmentCreation(); - assignmentCreation1.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCodeUnique)); - assignmentCreation1.setUnique(true); - var experimentTypeCreation = new dtos.ExperimentTypeCreation(); - experimentTypeCreation.setCode(experimentTypeCode); - experimentTypeCreation.setPropertyAssignments([ assignmentCreation1 ]); - return facade.createExperimentTypes([ experimentTypeCreation ]).then(function(results) { - var creation = new dtos.ExperimentCreation(); - creation.setTypeId(new dtos.EntityTypePermId(experimentTypeCode)); - creation.setCode(code); - creation.setProjectId(new dtos.ProjectIdentifier("/TEST/TEST-PROJECT")); - creation.setProperty(propertyTypeCodeUnique, "my_unique_value"); - return facade.createExperiments([ creation ]).then(function(results) { - var creation2 = new dtos.ExperimentCreation(); - creation2.setTypeId(new dtos.EntityTypePermId(experimentTypeCode)); - creation2.setCode(code2); - creation2.setProjectId(new dtos.ProjectIdentifier("/TEST/TEST-PROJECT")); - creation2.setProperty(propertyTypeCodeUnique, "my_unique_value"); - return facade.createExperiments([ creation2 ]); - });; - }); - - }); - } - - c.start(); - c.login(facade).then(function() { - return fCreate(facade) - .fail(function(error) { - c.assertEqual("Insert/Update of experiment failed because property contains value that is not unique! (value: my_unique_value) (Context: [])", error.message, "Uniqueness error message"); - c.finish(); - }); - }); - - }); - - QUnit.test("createExperiment() with multi-value property of type SAMPLE", function(assert) { - var c = new common(assert, dtos); - var propertyTypeCodeSample = c.generateId("PROPERTY_TYPE"); - - var experimentTypeCode = c.generateId("EXPERIMENT_TYPE"); - var code = c.generateId("EXPERIMENT"); - - var fCreate = function(facade) { - var propertyTypeCreation1 = new dtos.PropertyTypeCreation(); - propertyTypeCreation1.setCode(propertyTypeCodeSample); - propertyTypeCreation1.setDescription("hello"); - propertyTypeCreation1.setDataType(dtos.DataType.SAMPLE); - propertyTypeCreation1.setLabel("Test Property Type"); - propertyTypeCreation1.setMultiValue(true); - return facade.createPropertyTypes([ propertyTypeCreation1 ]).then(function(results) { - var assignmentCreation1 = new dtos.PropertyAssignmentCreation(); - assignmentCreation1.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCodeSample)); - var experimentTypeCreation = new dtos.ExperimentTypeCreation(); - experimentTypeCreation.setCode(experimentTypeCode); - experimentTypeCreation.setPropertyAssignments([ assignmentCreation1 ]); - return facade.createExperimentTypes([ experimentTypeCreation ]).then(function(results) { - var creation = new dtos.ExperimentCreation(); - creation.setTypeId(new dtos.EntityTypePermId(experimentTypeCode)); - creation.setCode(code); - creation.setProjectId(new dtos.ProjectIdentifier("/TEST/TEST-PROJECT")); - creation.setProperty(propertyTypeCodeSample, ["20130412140147735-20", "20130424134657597-433"]); - return facade.createExperiments([ creation ]); - }); - }); - } - - var fCheck = function(experiment) { - c.assertEqual(experiment.getCode(), code, "Experiment code"); - c.assertEqual(experiment.getType().getCode(), experimentTypeCode, "Type code"); - c.assertEqual(experiment.getProject().getCode(), "TEST-PROJECT", "Project code"); - c.assertEqual(experiment.getProject().getSpace().getCode(), "TEST", "Space code"); - - var identifiers = experiment.getSampleProperties()[propertyTypeCodeSample].map(x => x.getIdentifier().getIdentifier()).sort(); - c.assertEqual(identifiers.toString(), ['/PLATONIC/SCREENING-EXAMPLES/PLATE-1', '/TEST/TEST-SAMPLE-1'].toString(), "Sample properties"); - c.assertEqual(experiment.getProperties()[propertyTypeCodeSample].sort().toString(), ["20130412140147735-20", "20130424134657597-433"].toString(), "Sample property ids"); - } - - testCreate(c, fCreate, c.findExperiment, fCheck); - }); - - QUnit.test("createExperiment() with multi-value property of type CONTROLLEDVOCABULARY", function(assert) { - var c = new common(assert, dtos); - var propertyTypeCodeVocab = c.generateId("PROPERTY_TYPE"); - - var experimentTypeCode = c.generateId("EXPERIMENT_TYPE"); - var code = c.generateId("EXPERIMENT"); - - var fCreate = function(facade) { - var propertyTypeCreation1 = new dtos.PropertyTypeCreation(); - propertyTypeCreation1.setCode(propertyTypeCodeVocab); - propertyTypeCreation1.setDescription("hello"); - propertyTypeCreation1.setDataType(dtos.DataType.CONTROLLEDVOCABULARY); - propertyTypeCreation1.setLabel("Test Property Type"); - propertyTypeCreation1.setMultiValue(true); - propertyTypeCreation1.setVocabularyId(new dtos.VocabularyPermId("$SUPPLIER.LANGUAGE")); - return facade.createPropertyTypes([ propertyTypeCreation1 ]).then(function(results) { - var assignmentCreation1 = new dtos.PropertyAssignmentCreation(); - assignmentCreation1.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCodeVocab)); - var experimentTypeCreation = new dtos.ExperimentTypeCreation(); - experimentTypeCreation.setCode(experimentTypeCode); - experimentTypeCreation.setPropertyAssignments([ assignmentCreation1 ]); - return facade.createExperimentTypes([ experimentTypeCreation ]).then(function(results) { - var creation = new dtos.ExperimentCreation(); - creation.setTypeId(new dtos.EntityTypePermId(experimentTypeCode)); - creation.setCode(code); - creation.setProjectId(new dtos.ProjectIdentifier("/TEST/TEST-PROJECT")); - creation.setProperty(propertyTypeCodeVocab, ["ENGLISH", "GERMAN"]); - return facade.createExperiments([ creation ]); - }); - }); - } - - var fCheck = function(experiment) { - c.assertEqual(experiment.getCode(), code, "Experiment code"); - c.assertEqual(experiment.getType().getCode(), experimentTypeCode, "Type code"); - c.assertEqual(experiment.getProject().getCode(), "TEST-PROJECT", "Project code"); - c.assertEqual(experiment.getProject().getSpace().getCode(), "TEST", "Space code"); - c.assertEqual(experiment.getProperties()[propertyTypeCodeVocab].sort().toString(), ["ENGLISH", "GERMAN"].toString(), "Vocabulary property ids"); - } - - testCreate(c, fCreate, c.findExperiment, fCheck); - }); - - QUnit.test("createExperimentTypes()", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("EXPERIMENT_TYPE"); - - var fCreate = function(facade) { - var assignmentCreation = new dtos.PropertyAssignmentCreation(); - assignmentCreation.setSection("test section"); - assignmentCreation.setOrdinal(10); - assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId("DESCRIPTION")); - assignmentCreation.setPluginId(new dtos.PluginPermId("Diff_time")); - assignmentCreation.setMandatory(true); - assignmentCreation.setInitialValueForExistingEntities("initial value"); - assignmentCreation.setShowInEditView(true); - assignmentCreation.setShowRawValueInForms(true); - - var creation = new dtos.ExperimentTypeCreation(); - creation.setCode(code); - creation.setDescription("a new description"); - creation.setValidationPluginId(new dtos.PluginPermId("Has_Parents")); - creation.setPropertyAssignments([ assignmentCreation ]); - creation.setMetaData({"type_key":"type_value"}); - - return facade.createExperimentTypes([ creation ]); - } - - var fCheck = function(type) { - c.assertEqual(type.getCode(), code, "Type code"); - c.assertEqual(type.getPermId().getPermId(), code, "Type perm id"); - c.assertEqual(type.getPermId().toString(), code + " (EXPERIMENT)", "Full type perm id"); - c.assertEqual(type.getDescription(), "a new description", "Description"); - - c.assertEqual(type.getPropertyAssignments().length, 1, "Assignments count"); - - var assignment = type.getPropertyAssignments()[0]; - - c.assertEqual(assignment.getSection(), "test section", "Assignment section"); - c.assertEqual(assignment.getOrdinal(), 10, "Assignment ordinal"); - c.assertEqual(assignment.getPropertyType().getCode(), "DESCRIPTION", "Assignment property type code"); - c.assertEqual(assignment.isMandatory(), true, "Assignment mandatory"); - c.assertEqual(assignment.isShowInEditView(), true, "Assignment ShowInEditView"); - c.assertEqual(assignment.isShowRawValueInForms(), true, "Assignment ShowRawValueInForms"); - c.assertEqual(assignment.getPlugin().getName(), "Diff_time", "Assignment Plugin"); - - var metaData = type.getMetaData(); - c.assertEqual(metaData["type_key"], "type_value", "Metadata"); - } - - testCreate(c, fCreate, c.findExperimentType, fCheck); - }); - - QUnit.test("createSamples()", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("SAMPLE"); - - var fCreate = function(facade) { - var creation = new dtos.SampleCreation(); - creation.setTypeId(new dtos.EntityTypePermId("UNKNOWN")); - creation.setCode(code); - creation.setSpaceId(new dtos.SpacePermId("TEST")); - creation.setTagIds([ new dtos.TagCode("CREATE_JSON_TAG") ]); - creation.setMetaData({"sample_key":"sample_value"}); - return facade.createSamples([ creation ]); - } - - var fCheck = function(sample) { - c.assertEqual(sample.getCode(), code, "Sample code"); - c.assertEqual(sample.getType().getCode(), "UNKNOWN", "Type code"); - c.assertEqual(sample.getSpace().getCode(), "TEST", "Space code"); - c.assertEqual(sample.getTags()[0].getCode(), "CREATE_JSON_TAG", "Tag code"); - - var metaData = sample.getMetaData(); - c.assertEqual(metaData["sample_key"], "sample_value", "Metadata"); - } - - testCreate(c, fCreate, c.findSample, fCheck); - }); - - QUnit.test("createSamples() with annotated child", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("SAMPLE"); - var childId = new dtos.SampleIdentifier("/TEST/TEST-SAMPLE-1"); - - var fCreate = function(facade) { - var creation = new dtos.SampleCreation(); - creation.setTypeId(new dtos.EntityTypePermId("UNKNOWN")); - creation.setCode(code); - creation.setSpaceId(new dtos.SpacePermId("TEST")); - creation.setChildIds([ childId ]); - creation.relationship(childId) - .addParentAnnotation("type", "mother").addChildAnnotation("type", "daughter"); - return facade.createSamples([ creation ]); - } - - var fCheck = function(sample) { - c.assertEqual(sample.getCode(), code, "Sample code"); - c.assertEqual(sample.getType().getCode(), "UNKNOWN", "Type code"); - c.assertEqual(sample.getSpace().getCode(), "TEST", "Space code"); - var child = sample.getChildren()[0]; - c.assertEqual(child.getIdentifier().getIdentifier(), childId.getIdentifier(), "Child"); - var relationship = sample.getChildRelationship(child.getPermId()); - c.assertEqualDictionary(relationship.getChildAnnotations(), {"type": "daughter"}, "Child annotations"); - c.assertEqualDictionary(relationship.getParentAnnotations(), {"type": "mother"}, "Parent annotations"); - } - - testCreate(c, fCreate, c.findSample, fCheck); - }); - - QUnit.test("createSamples() with annotated parent", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("SAMPLE"); - var parentId = new dtos.SampleIdentifier("/TEST/TEST-SAMPLE-1"); - - var fCreate = function(facade) { - var creation = new dtos.SampleCreation(); - creation.setTypeId(new dtos.EntityTypePermId("UNKNOWN")); - creation.setCode(code); - creation.setSpaceId(new dtos.SpacePermId("TEST")); - creation.setParentIds([ parentId ]); - creation.relationship(parentId) - .addParentAnnotation("type", "mother").addChildAnnotation("type", "daughter"); - return facade.createSamples([ creation ]); - } - - var fCheck = function(sample) { - c.assertEqual(sample.getCode(), code, "Sample code"); - c.assertEqual(sample.getType().getCode(), "UNKNOWN", "Type code"); - c.assertEqual(sample.getSpace().getCode(), "TEST", "Space code"); - var parent = sample.getParents()[0]; - c.assertEqual(parent.getIdentifier().getIdentifier(), parentId.getIdentifier(), "Parent"); - var relationship = sample.getParentRelationship(parent.getPermId()); - c.assertEqualDictionary(relationship.getChildAnnotations(), {"type": "daughter"}, "Child annotations"); - c.assertEqualDictionary(relationship.getParentAnnotations(), {"type": "mother"}, "Parent annotations"); - } - - testCreate(c, fCreate, c.findSample, fCheck); - }); - - QUnit.test("createSamples() with property of type SAMPLE", function(assert) { - var c = new common(assert, dtos); - var propertyTypeCode = c.generateId("PROPERTY_TYPE"); - var sampleTypeCode = c.generateId("SAMPLE_TYPE"); - var code = c.generateId("SAMPLE"); - - var fCreate = function(facade) { - var propertyTypeCreation = new dtos.PropertyTypeCreation(); - propertyTypeCreation.setCode(propertyTypeCode); - propertyTypeCreation.setDescription("hello"); - propertyTypeCreation.setDataType(dtos.DataType.SAMPLE); - propertyTypeCreation.setLabel("Test Property Type"); - return facade.createPropertyTypes([ propertyTypeCreation ]).then(function(results) { - var assignmentCreation = new dtos.PropertyAssignmentCreation(); - assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)); - var sampleTypeCreation = new dtos.SampleTypeCreation(); - sampleTypeCreation.setCode(sampleTypeCode); - sampleTypeCreation.setPropertyAssignments([ assignmentCreation ]); - return facade.createSampleTypes([ sampleTypeCreation ]).then(function(results) { - var creation = new dtos.SampleCreation(); - creation.setTypeId(new dtos.EntityTypePermId(sampleTypeCode)); - creation.setCode(code); - creation.setSpaceId(new dtos.SpacePermId("TEST")); - creation.setProperty(propertyTypeCode, "20130412140147735-20"); - return facade.createSamples([ creation ]); - }); - }); - } - - var fCheck = function(sample) { - c.assertEqual(sample.getCode(), code, "Sample code"); - c.assertEqual(sample.getType().getCode(), sampleTypeCode, "Type code"); - c.assertEqual(sample.getSpace().getCode(), "TEST", "Space code"); - c.assertEqual(sample.getSampleProperties()[propertyTypeCode][0].getIdentifier().getIdentifier(), "/PLATONIC/SCREENING-EXAMPLES/PLATE-1", "Sample property"); - c.assertEqual(sample.getProperties()[propertyTypeCode], "20130412140147735-20", "Sample property id"); - } - - testCreate(c, fCreate, c.findSample, fCheck); - }); - - - QUnit.test("createSamples() with a unique property", function(assert) { - var c = new common(assert, dtos); - var propertyTypeCode = c.generateId("PROPERTY_TYPE"); - var sampleTypeCode = c.generateId("SAMPLE_TYPE"); - var code = c.generateId("SAMPLE"); - var code2 = c.generateId("SAMPLE"); - - var fCreate = function(facade) { - var propertyTypeCreation = new dtos.PropertyTypeCreation(); - propertyTypeCreation.setCode(propertyTypeCode); - propertyTypeCreation.setDescription("hello"); - propertyTypeCreation.setDataType(dtos.DataType.VARCHAR); - propertyTypeCreation.setLabel("Test Property Type"); - return facade.createPropertyTypes([ propertyTypeCreation ]).then(function(results) { - var assignmentCreation = new dtos.PropertyAssignmentCreation(); - assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)); - assignmentCreation.setUnique(true); - var sampleTypeCreation = new dtos.SampleTypeCreation(); - sampleTypeCreation.setCode(sampleTypeCode); - sampleTypeCreation.setPropertyAssignments([ assignmentCreation ]); - return facade.createSampleTypes([ sampleTypeCreation ]).then(function(results) { - var creation = new dtos.SampleCreation(); - creation.setTypeId(new dtos.EntityTypePermId(sampleTypeCode)); - creation.setCode(code); - creation.setSpaceId(new dtos.SpacePermId("TEST")); - creation.setProperty(propertyTypeCode, "my_unique_value"); - return facade.createSamples([ creation ]).then(function(results) { - var creation2 = new dtos.SampleCreation(); - creation2.setTypeId(new dtos.EntityTypePermId(sampleTypeCode)); - creation2.setCode(code2); - creation2.setSpaceId(new dtos.SpacePermId("TEST")); - creation2.setProperty(propertyTypeCode, "my_unique_value"); - return facade.createSamples([ creation2 ]); - });; - }); - }); - } - - c.start(); - c.login(facade).then(function() { - return fCreate(facade) - .fail(function(error) { - c.assertEqual("Insert/Update of object failed because property contains value that is not unique! (value: my_unique_value) (Context: [])", error.message, "Uniqueness error message"); - c.finish(); - }); - }); - }); - - - QUnit.test("createSamples() with multi-value property of type SAMPLE", function(assert) { - var c = new common(assert, dtos); - var propertyTypeCode = c.generateId("PROPERTY_TYPE"); - var sampleTypeCode = c.generateId("SAMPLE_TYPE"); - var code = c.generateId("SAMPLE"); - - var fCreate = function(facade) { - var propertyTypeCreation = new dtos.PropertyTypeCreation(); - propertyTypeCreation.setCode(propertyTypeCode); - propertyTypeCreation.setDescription("hello"); - propertyTypeCreation.setDataType(dtos.DataType.SAMPLE); - propertyTypeCreation.setLabel("Test Property Type"); - propertyTypeCreation.setMultiValue(true); - return facade.createPropertyTypes([ propertyTypeCreation ]).then(function(results) { - var assignmentCreation = new dtos.PropertyAssignmentCreation(); - assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)); - var sampleTypeCreation = new dtos.SampleTypeCreation(); - sampleTypeCreation.setCode(sampleTypeCode); - sampleTypeCreation.setPropertyAssignments([ assignmentCreation ]); - return facade.createSampleTypes([ sampleTypeCreation ]).then(function(results) { - var creation = new dtos.SampleCreation(); - creation.setTypeId(new dtos.EntityTypePermId(sampleTypeCode)); - creation.setCode(code); - creation.setSpaceId(new dtos.SpacePermId("TEST")); - creation.setProperty(propertyTypeCode, ["20130412140147735-20", "20130424134657597-433"]); - return facade.createSamples([ creation ]); - }); - }); - } - - var fCheck = function(sample) { - c.assertEqual(sample.getCode(), code, "Sample code"); - c.assertEqual(sample.getType().getCode(), sampleTypeCode, "Type code"); - c.assertEqual(sample.getSpace().getCode(), "TEST", "Space code"); - var identifiers = sample.getSampleProperties()[propertyTypeCode].map(x => x.getIdentifier().getIdentifier()).sort(); - c.assertEqual(identifiers.toString(), ['/PLATONIC/SCREENING-EXAMPLES/PLATE-1', '/TEST/TEST-SAMPLE-1'].toString(), "Sample properties"); - c.assertEqual(sample.getProperties()[propertyTypeCode].sort().toString(), ["20130412140147735-20", "20130424134657597-433"].toString(), "Sample property ids"); - } - testCreate(c, fCreate, c.findSample, fCheck); - }); - - QUnit.test("createSamples() with multi-value property of type CONTROLLEDVOCABULARY", function(assert) { - var c = new common(assert, dtos); - var propertyTypeCode = c.generateId("PROPERTY_TYPE"); - var sampleTypeCode = c.generateId("SAMPLE_TYPE"); - var code = c.generateId("SAMPLE"); - - var fCreate = function(facade) { - var propertyTypeCreation = new dtos.PropertyTypeCreation(); - propertyTypeCreation.setCode(propertyTypeCode); - propertyTypeCreation.setDescription("hello"); - propertyTypeCreation.setDataType(dtos.DataType.CONTROLLEDVOCABULARY); - propertyTypeCreation.setLabel("Test Property Type"); - propertyTypeCreation.setMultiValue(true); - propertyTypeCreation.setVocabularyId(new dtos.VocabularyPermId("$SUPPLIER.LANGUAGE")); - return facade.createPropertyTypes([ propertyTypeCreation ]).then(function(results) { - var assignmentCreation = new dtos.PropertyAssignmentCreation(); - assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)); - var sampleTypeCreation = new dtos.SampleTypeCreation(); - sampleTypeCreation.setCode(sampleTypeCode); - sampleTypeCreation.setPropertyAssignments([ assignmentCreation ]); - return facade.createSampleTypes([ sampleTypeCreation ]).then(function(results) { - var creation = new dtos.SampleCreation(); - creation.setTypeId(new dtos.EntityTypePermId(sampleTypeCode)); - creation.setCode(code); - creation.setSpaceId(new dtos.SpacePermId("TEST")); - creation.setProperty(propertyTypeCode, ["ENGLISH", "GERMAN"]); - return facade.createSamples([ creation ]); - }); - }); - } - - var fCheck = function(sample) { - c.assertEqual(sample.getCode(), code, "Sample code"); - c.assertEqual(sample.getType().getCode(), sampleTypeCode, "Type code"); - c.assertEqual(sample.getSpace().getCode(), "TEST", "Space code"); - c.assertEqual(sample.getProperties()[propertyTypeCode].sort().toString(), ["ENGLISH", "GERMAN"].toString(), "Vocabulary property ids"); - } - testCreate(c, fCreate, c.findSample, fCheck); - }); - - QUnit.test("createSampleTypes()", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("SAMPLE_TYPE"); - - var fCreate = function(facade) { - var assignmentCreation = new dtos.PropertyAssignmentCreation(); - assignmentCreation.setSection("test section"); - assignmentCreation.setOrdinal(10); - assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId("DESCRIPTION")); - assignmentCreation.setPluginId(new dtos.PluginPermId("Diff_time")); - assignmentCreation.setMandatory(true); - assignmentCreation.setInitialValueForExistingEntities("initial value"); - assignmentCreation.setShowInEditView(true); - assignmentCreation.setShowRawValueInForms(true); - - var creation = new dtos.SampleTypeCreation(); - creation.setCode(code); - creation.setDescription("a new description"); - creation.setAutoGeneratedCode(true); - creation.setSubcodeUnique(true); - creation.setGeneratedCodePrefix("TEST_PREFIX"); - creation.setListable(true); - creation.setShowContainer(true); - creation.setShowParents(true); - creation.setShowParentMetadata(true); - creation.setValidationPluginId(new dtos.PluginPermId("Has_Parents")); - creation.setPropertyAssignments([ assignmentCreation ]); - creation.setMetaData({"sample_type_key":"type_value"}); - - return facade.createSampleTypes([ creation ]); - } - - var fCheck = function(type) { - c.assertEqual(type.getCode(), code, "Type code"); - c.assertEqual(type.getPermId().getPermId(), code, "Type perm id"); - c.assertEqual(type.getDescription(), "a new description", "Description"); - c.assertEqual(type.isAutoGeneratedCode(), true, "AutoGeneratedCode"); - c.assertEqual(type.isSubcodeUnique(), true, "SubcodeUnique"); - c.assertEqual(type.getGeneratedCodePrefix(), "TEST_PREFIX", "GeneratedCodePrefix"); - c.assertEqual(type.isListable(), true, "Listable"); - c.assertEqual(type.isShowContainer(), true, "ShowContainer"); - c.assertEqual(type.isShowParents(), true, "ShowParents"); - c.assertEqual(type.isShowParentMetadata(), true, "ShowParentMetadata"); - - c.assertEqual(type.getPropertyAssignments().length, 1, "Assignments count"); - - var assignment = type.getPropertyAssignments()[0]; - - c.assertEqual(assignment.getSection(), "test section", "Assignment section"); - c.assertEqual(assignment.getOrdinal(), 10, "Assignment ordinal"); - c.assertEqual(assignment.getPropertyType().getCode(), "DESCRIPTION", "Assignment property type code"); - c.assertEqual(assignment.isMandatory(), true, "Assignment mandatory"); - c.assertEqual(assignment.isShowInEditView(), true, "Assignment ShowInEditView"); - c.assertEqual(assignment.isShowRawValueInForms(), true, "Assignment ShowRawValueInForms"); - c.assertEqual(assignment.getPlugin().getName(), "Diff_time", "Assignment Plugin"); - - var metaData = type.getMetaData(); - c.assertEqual(metaData["sample_type_key"], "type_value", "Metadata"); - } - - testCreate(c, fCreate, c.findSampleType, fCheck); - }); - - QUnit.test("createDataSets() link data set via DSS", function(assert) { - var c = new common(assert, dtos); - var emdsId = null; - - var fCreate = function(facade) { - return c.createExperiment(facade).then(function(experimentPermId) { - return c.createFileExternalDms(facade).then(function(emdsPermId) { - emdsId = emdsPermId; - var creation = new dtos.FullDataSetCreation(); - var dataSet = new dtos.DataSetCreation(); - dataSet.setCode(c.generateId("DATA_SET")); - dataSet.setTypeId(new dtos.EntityTypePermId("LINK_TYPE")); - dataSet.setExperimentId(experimentPermId); - dataSet.setDataStoreId(new dtos.DataStorePermId("DSS1")); - var linkedData = new dtos.LinkedDataCreation(); - var cc = new dtos.ContentCopyCreation(); - cc.setExternalDmsId(emdsPermId); - cc.setPath("my/path"); - linkedData.setContentCopies([ cc ]); - dataSet.setLinkedData(linkedData); - creation.setMetadataCreation(dataSet); - var f1 = new dtos.DataSetFileCreation(); - f1.setDirectory(true); - f1.setPath("root/folder"); - var f2 = new dtos.DataSetFileCreation(); - f2.setDirectory(false); - f2.setPath("root/my-file-in.txt"); - f2.setFileLength(42); - f2.setChecksumCRC32(123456); - creation.setFileMetadata([ f1, f2 ]); - return facade.getDataStoreFacade("DSS1", "DSS2").createDataSets([ creation ]); - }); - }); - } - - var fCheck = function(dataSet, facade) { - c.assertEqual(dataSet.getType().getCode(), "LINK_TYPE", "Data set type"); - var contentCopies = dataSet.getLinkedData().getContentCopies(); - c.assertEqual(contentCopies.length, 1, "Number of content copies"); - var contentCopy = contentCopies[0]; - c.assertEqual(contentCopy.getExternalDms().getPermId().toString(), emdsId.toString(), "External data management system"); - c.assertEqual(contentCopy.getPath(), "/my/path", "Content copy path"); - var dfd = $.Deferred() - var dataSetCode = dataSet.getCode(); - c.waitUntilIndexed(facade, dataSetCode, 10000).then(function() { - var criteria = new dtos.DataSetFileSearchCriteria(); - criteria.withDataSet().withCode().thatEquals(dataSet.getCode()); - facade.getDataStoreFacade("DSS1").searchFiles(criteria, c.createDataSetFileFetchOptions()).then(function(result) { - var files = result.getObjects(); - c.assertEqual(files.length, 4, "Number of files"); - files.sort(function(f1, f2) { - return f1.getPath().localeCompare(f2.getPath()); - }); - var expectedPaths = [ "", "root", "root/folder", "root/my-file-in.txt" ]; - var expectedDirectoryFlags = [ true, true, true, false ]; - var expectedSizes = [ 42, 42, 0, 42 ]; - var expectedChecksums = [ 0, 0, 0, 123456 ]; - for (i = 0; i < files.length; i++) { - var file = files[i]; - var postfix = " of file " + (i + 1); - c.assertEqual(file.getDataSetPermId().toString(), dataSetCode, "Data set" + postfix); - c.assertEqual(file.getDataStore().getCode(), "DSS1", "Data store" + postfix); - c.assertEqual(file.getPath(), expectedPaths[i], "Path" + postfix); - c.assertEqual(file.isDirectory(), expectedDirectoryFlags[i], "Directory flag" + postfix); - c.assertEqual(file.getChecksumCRC32(), expectedChecksums[i], "Checksum" + postfix); - } - dfd.resolve(); - }); - }); - return dfd.promise(); - } - - testCreate(c, fCreate, c.findDataSet, fCheck); - }); - - QUnit.test("createDataSet() with property of type SAMPLE", function(assert) { - var c = new common(assert, dtos); - var propertyTypeCode = c.generateId("PROPERTY_TYPE"); - var dataSetTypeCode = c.generateId("DATA_SET_TYPE"); - var code = c.generateId("DATA_SET"); - - var fCreate = function(facade) { - var propertyTypeCreation = new dtos.PropertyTypeCreation(); - propertyTypeCreation.setCode(propertyTypeCode); - propertyTypeCreation.setDescription("hello"); - propertyTypeCreation.setDataType(dtos.DataType.SAMPLE); - propertyTypeCreation.setLabel("Test Property Type"); - return facade.createPropertyTypes([ propertyTypeCreation ]).then(function(results) { - var assignmentCreation = new dtos.PropertyAssignmentCreation(); - assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)); - var dataSetTypeCreation = new dtos.DataSetTypeCreation(); - dataSetTypeCreation.setCode(dataSetTypeCode); - dataSetTypeCreation.setPropertyAssignments([ assignmentCreation ]); - return facade.createDataSetTypes([ dataSetTypeCreation ]).then(function(results) { - var creation = new dtos.DataSetCreation(); - creation.setTypeId(new dtos.EntityTypePermId(dataSetTypeCode)); - creation.setCode(code); - creation.setDataSetKind(dtos.DataSetKind.CONTAINER); - creation.setDataStoreId(new dtos.DataStorePermId("DSS1")); - creation.setExperimentId(new dtos.ExperimentIdentifier("/TEST/TEST-PROJECT/TEST-EXPERIMENT")); - creation.setProperty(propertyTypeCode, "20130412140147735-20"); - creation.setMetaData({"dataset_key":"dataset_value"}); - return facade.createDataSets([ creation ]); - }); - }); - } - - var fCheck = function(dataSet) { - c.assertEqual(dataSet.getCode(), code, "Data set code"); - c.assertEqual(dataSet.getType().getCode(), dataSetTypeCode, "Type code"); - c.assertEqual(dataSet.getProperties()[propertyTypeCode], "20130412140147735-20", "Sample property id"); - c.assertEqual(dataSet.getSampleProperties()[propertyTypeCode][0].getIdentifier().getIdentifier(), "/PLATONIC/SCREENING-EXAMPLES/PLATE-1", "Sample property"); - - var metaData = dataSet.getMetaData(); - c.assertEqual(metaData["dataset_key"], "dataset_value", "Metadata"); - - } - - testCreate(c, fCreate, c.findDataSet, fCheck); - }); - - - QUnit.test("createDataSet() with unique property", function(assert) { - var c = new common(assert, dtos); - var propertyTypeCode = c.generateId("PROPERTY_TYPE"); - var dataSetTypeCode = c.generateId("DATA_SET_TYPE"); - var code = c.generateId("DATA_SET"); - var code2 = c.generateId("DATA_SET"); - - var fCreate = function(facade) { - var propertyTypeCreation = new dtos.PropertyTypeCreation(); - propertyTypeCreation.setCode(propertyTypeCode); - propertyTypeCreation.setDescription("hello"); - propertyTypeCreation.setDataType(dtos.DataType.VARCHAR); - propertyTypeCreation.setLabel("Test Property Type"); - return facade.createPropertyTypes([ propertyTypeCreation ]).then(function(results) { - var assignmentCreation = new dtos.PropertyAssignmentCreation(); - assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)); - assignmentCreation.setUnique(true); - var dataSetTypeCreation = new dtos.DataSetTypeCreation(); - dataSetTypeCreation.setCode(dataSetTypeCode); - dataSetTypeCreation.setPropertyAssignments([ assignmentCreation ]); - return facade.createDataSetTypes([ dataSetTypeCreation ]).then(function(results) { - var creation = new dtos.DataSetCreation(); - creation.setTypeId(new dtos.EntityTypePermId(dataSetTypeCode)); - creation.setCode(code); - creation.setDataSetKind(dtos.DataSetKind.CONTAINER); - creation.setDataStoreId(new dtos.DataStorePermId("DSS1")); - creation.setExperimentId(new dtos.ExperimentIdentifier("/TEST/TEST-PROJECT/TEST-EXPERIMENT")); - creation.setProperty(propertyTypeCode, "my_unique_value"); - return facade.createDataSets([ creation ]).then(function(results) { - var creation2 = new dtos.DataSetCreation(); - creation2.setTypeId(new dtos.EntityTypePermId(dataSetTypeCode)); - creation2.setCode(code2); - creation2.setDataSetKind(dtos.DataSetKind.CONTAINER); - creation2.setDataStoreId(new dtos.DataStorePermId("DSS1")); - creation2.setExperimentId(new dtos.ExperimentIdentifier("/TEST/TEST-PROJECT/TEST-EXPERIMENT")); - creation2.setProperty(propertyTypeCode, "my_unique_value"); - return facade.createDataSets([ creation2 ]); - }); - }); - }); - } - - c.start(); - c.login(facade).then(function() { - return fCreate(facade) - .fail(function(error) { - c.assertEqual("Insert/Update of dataset failed because property contains value that is not unique! (value: my_unique_value) (Context: [])", error.message, "Uniqueness error message"); - c.finish(); - }); - }); - - }); - - QUnit.test("createDataSet() with multi-value property of type SAMPLE", function(assert) { - var c = new common(assert, dtos); - var propertyTypeCode = c.generateId("PROPERTY_TYPE"); - var dataSetTypeCode = c.generateId("DATA_SET_TYPE"); - var code = c.generateId("DATA_SET"); - - var fCreate = function(facade) { - var propertyTypeCreation = new dtos.PropertyTypeCreation(); - propertyTypeCreation.setCode(propertyTypeCode); - propertyTypeCreation.setDescription("hello"); - propertyTypeCreation.setDataType(dtos.DataType.SAMPLE); - propertyTypeCreation.setLabel("Test Property Type"); - propertyTypeCreation.setMultiValue(true); - return facade.createPropertyTypes([ propertyTypeCreation ]).then(function(results) { - var assignmentCreation = new dtos.PropertyAssignmentCreation(); - assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)); - var dataSetTypeCreation = new dtos.DataSetTypeCreation(); - dataSetTypeCreation.setCode(dataSetTypeCode); - dataSetTypeCreation.setPropertyAssignments([ assignmentCreation ]); - return facade.createDataSetTypes([ dataSetTypeCreation ]).then(function(results) { - var creation = new dtos.DataSetCreation(); - creation.setTypeId(new dtos.EntityTypePermId(dataSetTypeCode)); - creation.setCode(code); - creation.setDataSetKind(dtos.DataSetKind.CONTAINER); - creation.setDataStoreId(new dtos.DataStorePermId("DSS1")); - creation.setExperimentId(new dtos.ExperimentIdentifier("/TEST/TEST-PROJECT/TEST-EXPERIMENT")); - creation.setProperty(propertyTypeCode, ["20130412140147735-20", "20130424134657597-433"]); - creation.setMetaData({"dataset_key":"dataset_value"}); - return facade.createDataSets([ creation ]); - }); - }); - } - - var fCheck = function(dataSet) { - c.assertEqual(dataSet.getCode(), code, "Data set code"); - c.assertEqual(dataSet.getType().getCode(), dataSetTypeCode, "Type code"); - - var identifiers = dataSet.getSampleProperties()[propertyTypeCode].map(x => x.getIdentifier().getIdentifier()).sort(); - c.assertEqual(identifiers.toString(), ['/PLATONIC/SCREENING-EXAMPLES/PLATE-1', '/TEST/TEST-SAMPLE-1'].toString(), "Sample properties"); - c.assertEqual(dataSet.getProperties()[propertyTypeCode].sort().toString(), ["20130412140147735-20", "20130424134657597-433"].toString(), "Sample property ids"); - - var metaData = dataSet.getMetaData(); - c.assertEqual(metaData["dataset_key"], "dataset_value", "Metadata"); - - } - - testCreate(c, fCreate, c.findDataSet, fCheck); - }); - - QUnit.test("createDataSet() with multi-value property of type CONTROLLEDVOCABULARY", function(assert) { - var c = new common(assert, dtos); - var propertyTypeCode = c.generateId("PROPERTY_TYPE"); - var dataSetTypeCode = c.generateId("DATA_SET_TYPE"); - var code = c.generateId("DATA_SET"); - - var fCreate = function(facade) { - var propertyTypeCreation = new dtos.PropertyTypeCreation(); - propertyTypeCreation.setCode(propertyTypeCode); - propertyTypeCreation.setDescription("hello"); - propertyTypeCreation.setDataType(dtos.DataType.CONTROLLEDVOCABULARY); - propertyTypeCreation.setLabel("Test Property Type"); - propertyTypeCreation.setMultiValue(true); - propertyTypeCreation.setVocabularyId(new dtos.VocabularyPermId("$SUPPLIER.LANGUAGE")); - return facade.createPropertyTypes([ propertyTypeCreation ]).then(function(results) { - var assignmentCreation = new dtos.PropertyAssignmentCreation(); - assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)); - var dataSetTypeCreation = new dtos.DataSetTypeCreation(); - dataSetTypeCreation.setCode(dataSetTypeCode); - dataSetTypeCreation.setPropertyAssignments([ assignmentCreation ]); - return facade.createDataSetTypes([ dataSetTypeCreation ]).then(function(results) { - var creation = new dtos.DataSetCreation(); - creation.setTypeId(new dtos.EntityTypePermId(dataSetTypeCode)); - creation.setCode(code); - creation.setDataSetKind(dtos.DataSetKind.CONTAINER); - creation.setDataStoreId(new dtos.DataStorePermId("DSS1")); - creation.setExperimentId(new dtos.ExperimentIdentifier("/TEST/TEST-PROJECT/TEST-EXPERIMENT")); - creation.setProperty(propertyTypeCode, ["ENGLISH", "GERMAN"]); - creation.setMetaData({"dataset_key":"dataset_value"}); - return facade.createDataSets([ creation ]); - }); - }); - } - - var fCheck = function(dataSet) { - c.assertEqual(dataSet.getCode(), code, "Data set code"); - c.assertEqual(dataSet.getType().getCode(), dataSetTypeCode, "Type code"); - c.assertEqual(dataSet.getProperties()[propertyTypeCode].sort().toString(), ["ENGLISH", "GERMAN"].toString(), "Vocabulary property ids"); - var metaData = dataSet.getMetaData(); - c.assertEqual(metaData["dataset_key"], "dataset_value", "Metadata"); - } - - testCreate(c, fCreate, c.findDataSet, fCheck); - }); - - QUnit.test("createDataSetTypes()", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("DATA_SET_TYPE"); - - var fCreate = function(facade) { - var assignmentCreation = new dtos.PropertyAssignmentCreation(); - assignmentCreation.setSection("test section"); - assignmentCreation.setOrdinal(10); - assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId("DESCRIPTION")); - assignmentCreation.setPluginId(new dtos.PluginPermId("Diff_time")); - assignmentCreation.setMandatory(true); - assignmentCreation.setInitialValueForExistingEntities("initial value"); - assignmentCreation.setShowInEditView(true); - assignmentCreation.setShowRawValueInForms(true); - - var creation = new dtos.DataSetTypeCreation(); - creation.setCode(code); - creation.setDescription("a new description"); - creation.setMainDataSetPattern(".*\\.jpg"); - creation.setMainDataSetPath("original/images/"); - creation.setDisallowDeletion(true); - creation.setValidationPluginId(new dtos.PluginPermId("Has_Parents")); - creation.setPropertyAssignments([ assignmentCreation ]); - creation.setMetaData({"dataset_type_key":"dataset_type_value"}); - - return facade.createDataSetTypes([ creation ]); - } - - var fCheck = function(type) { - c.assertEqual(type.getCode(), code, "Type code"); - c.assertEqual(type.getPermId().getPermId(), code, "Type perm id"); - c.assertEqual(type.getDescription(), "a new description", "Description"); - c.assertEqual(type.getMainDataSetPattern(), ".*\\.jpg", "Main data set pattern"); - c.assertEqual(type.getMainDataSetPath(), "original/images/", "Main data set path"); - c.assertEqual(type.isDisallowDeletion(), true, "Disallow deletion"); - - c.assertEqual(type.getPropertyAssignments().length, 1, "Assignments count"); - - var assignment = type.getPropertyAssignments()[0]; - - c.assertEqual(assignment.getSection(), "test section", "Assignment section"); - c.assertEqual(assignment.getOrdinal(), 10, "Assignment ordinal"); - c.assertEqual(assignment.getPropertyType().getCode(), "DESCRIPTION", "Assignment property type code"); - c.assertEqual(assignment.isMandatory(), true, "Assignment mandatory"); - c.assertEqual(assignment.isShowInEditView(), true, "Assignment ShowInEditView"); - c.assertEqual(assignment.isShowRawValueInForms(), true, "Assignment ShowRawValueInForms"); - c.assertEqual(assignment.getPlugin().getName(), "Diff_time", "Assignment Plugin"); - - var metaData = type.getMetaData(); - c.assertEqual(metaData["dataset_type_key"], "dataset_type_value", "Metadata"); - } - - testCreate(c, fCreate, c.findDataSetType, fCheck); - }); - - QUnit.test("createMaterials()", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("MATERIAL"); - - var fCreate = function(facade) { - var materialCreation = new dtos.MaterialCreation(); - materialCreation.setTypeId(new dtos.EntityTypePermId("COMPOUND")); - materialCreation.setCode(code); - materialCreation.setProperty("DESCRIPTION", "Metal"); - return facade.createMaterials([ materialCreation ]); - } - - var fCheck = function(material) { - c.assertEqual(material.getCode(), code, "Material code"); - c.assertEqual(material.getType().getCode(), "COMPOUND", "Type code"); - var properties = material.getProperties(); - c.assertEqual(properties["DESCRIPTION"], "Metal", "Property DESCRIPTION"); - } - - testCreate(c, fCreate, c.findMaterial, fCheck); - }); - - QUnit.test("createMaterialTypes()", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("MATERIAL_TYPE"); - - var fCreate = function(facade) { - var assignmentCreation = new dtos.PropertyAssignmentCreation(); - assignmentCreation.setSection("test section"); - assignmentCreation.setOrdinal(10); - assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId("DESCRIPTION")); - assignmentCreation.setPluginId(new dtos.PluginPermId("Diff_time")); - assignmentCreation.setMandatory(true); - assignmentCreation.setInitialValueForExistingEntities("initial value"); - assignmentCreation.setShowInEditView(true); - assignmentCreation.setShowRawValueInForms(true); - - var creation = new dtos.MaterialTypeCreation(); - creation.setCode(code); - creation.setDescription("a new description"); - creation.setValidationPluginId(new dtos.PluginPermId("Has_Parents")); - creation.setPropertyAssignments([ assignmentCreation ]); - - return facade.createMaterialTypes([ creation ]); - } - - var fCheck = function(type) { - c.assertEqual(type.getCode(), code, "Type code"); - c.assertEqual(type.getPermId().getPermId(), code, "Type perm id"); - c.assertEqual(type.getDescription(), "a new description", "Description"); - - c.assertEqual(type.getPropertyAssignments().length, 1, "Assignments count"); - - var assignment = type.getPropertyAssignments()[0]; - - c.assertEqual(assignment.getSection(), "test section", "Assignment section"); - c.assertEqual(assignment.getOrdinal(), 10, "Assignment ordinal"); - c.assertEqual(assignment.getPropertyType().getCode(), "DESCRIPTION", "Assignment property type code"); - c.assertEqual(assignment.isMandatory(), true, "Assignment mandatory"); - c.assertEqual(assignment.isShowInEditView(), true, "Assignment ShowInEditView"); - c.assertEqual(assignment.isShowRawValueInForms(), true, "Assignment ShowRawValueInForms"); - c.assertEqual(assignment.getPlugin().getName(), "Diff_time", "Assignment Plugin"); - } - - testCreate(c, fCreate, c.findMaterialType, fCheck); - }); - - QUnit.test("createPropertyTypes()", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("PROPERTY_TYPE"); - var metaData = {"greetings" : "hello test"}; - - var fCreate = function(facade) { - var creation = new dtos.PropertyTypeCreation(); - creation.setCode(code); - creation.setDescription("hello"); - creation.setDataType(dtos.DataType.INTEGER); - creation.setLabel("Test Property Type"); - creation.setMetaData(metaData); - return facade.createPropertyTypes([ creation ]); - } - - var fCheck = function(type) { - c.assertEqual(type.getCode(), code, "Type code"); - c.assertEqual(type.getPermId().getPermId(), code, "Type perm id"); - c.assertEqual(type.getLabel(), "Test Property Type", "Label"); - c.assertEqual(type.getDescription(), "hello", "Description"); - c.assertEqual(type.getDataType(), dtos.DataType.INTEGER, "Data type"); - c.assertEqual(type.getMetaData().toString(), metaData, "Meta data"); - - } - - testCreate(c, fCreate, c.findPropertyType, fCheck); - }); - - QUnit.test("createPropertyType() with data type SAMPLE", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("PROPERTY_TYPE"); - var metaData = {"greetings" : "hello test"}; - - var fCreate = function(facade) { - var creation = new dtos.PropertyTypeCreation(); - creation.setCode(code); - creation.setDescription("hello"); - creation.setDataType(dtos.DataType.SAMPLE); - creation.setLabel("Test Property Type"); - creation.setMetaData(metaData); - creation.setSampleTypeId(new dtos.EntityTypePermId("UNKNOWN", "SAMPLE")); - return facade.createPropertyTypes([ creation ]); - } - - var fCheck = function(type) { - c.assertEqual(type.getCode(), code, "Type code"); - c.assertEqual(type.getPermId().getPermId(), code, "Type perm id"); - c.assertEqual(type.getLabel(), "Test Property Type", "Label"); - c.assertEqual(type.getDescription(), "hello", "Description"); - c.assertEqual(type.getDataType(), dtos.DataType.SAMPLE, "Data type"); - c.assertEqual(type.getMetaData().toString(), metaData, "Meta data"); - c.assertEqual(type.getSampleType().toString(), "UNKNOWN", "Sample type"); - } - - testCreate(c, fCreate, c.findPropertyType, fCheck); - }); - - QUnit.test("createPlugins()", function(assert) { - var c = new common(assert, dtos); - var name = c.generateId("PLUGIN"); - - var fCreate = function(facade) { - var creation = new dtos.PluginCreation(); - creation.setName(name); - creation.setDescription("hello"); - creation.setPluginType(dtos.PluginType.ENTITY_VALIDATION); - creation.setScript("def a():\n pass"); - return facade.createPlugins([ creation ]); - } - - var fCheck = function(plugin) { - c.assertEqual(plugin.getName(), name, "Name"); - c.assertEqual(plugin.getPermId().getPermId(), name, "Perm id"); - c.assertEqual(plugin.getDescription(), "hello", "Description"); - c.assertEqual(plugin.getPluginKind(), dtos.PluginKind.JYTHON, "Plugin kind"); - c.assertEqual(plugin.getPluginType(), dtos.PluginType.ENTITY_VALIDATION, "Plugin type"); - c.assertEqual(plugin.getScript(), "def a():\n pass", "Script"); - c.assertEqual(plugin.isAvailable(), true, "Available?"); - } - - testCreate(c, fCreate, c.findPlugin, fCheck); - }); - - QUnit.test("createVocabularies()", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("VOCABULARY"); - - var fCreate = function(facade) { - var vocabularyCreation = new dtos.VocabularyCreation(); - vocabularyCreation.setCode(code); - vocabularyCreation.setDescription("test description"); - vocabularyCreation.setManagedInternally(false); - vocabularyCreation.setChosenFromList(true); - vocabularyCreation.setUrlTemplate("https://www.ethz.ch"); - var termCreation = new dtos.VocabularyTermCreation(); - termCreation.setCode("alpha"); - vocabularyCreation.setTerms([ termCreation ]); - return facade.createVocabularies([ vocabularyCreation ]); - } - - var fCheck = function(vocabulary) { - c.assertEqual(vocabulary.getCode(), code, "Code"); - c.assertEqual(vocabulary.getDescription(), "test description", "Description"); - c.assertEqual(vocabulary.isManagedInternally(), false, "Managed internally"); - c.assertEqual(vocabulary.isChosenFromList(), true, "Chosen from list"); - c.assertEqual(vocabulary.getUrlTemplate(), "https://www.ethz.ch", "URL template"); - } - - testCreate(c, fCreate, c.findVocabulary, fCheck); - }); - - QUnit.test("createVocabularyTerms()", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("VOCABULARY_TERM"); - - var fCreate = function(facade) { - var termCreation = new dtos.VocabularyTermCreation(); - termCreation.setVocabularyId(new dtos.VocabularyPermId("TEST-VOCABULARY")); - termCreation.setCode(code); - termCreation.setLabel("test label"); - termCreation.setDescription("test description"); - termCreation.setOfficial(true); - termCreation.setPreviousTermId(new dtos.VocabularyTermPermId("TEST-TERM-1", "TEST-VOCABULARY")) - return facade.createVocabularyTerms([ termCreation ]); - } - - var fCheck = function(term) { - c.assertEqual(term.getCode(), code, "Term code"); - c.assertEqual(term.getVocabulary().getCode(), "TEST-VOCABULARY", "Term vocabulary code"); - c.assertEqual(term.getLabel(), "test label", "Term label"); - c.assertEqual(term.getDescription(), "test description", "Term description"); - c.assertEqual(term.isOfficial(), true, "Term official"); - c.assertEqual(term.getOrdinal(), 2, "Term ordinal"); - } - - testCreate(c, fCreate, c.findVocabularyTerm, fCheck); - }); - - QUnit.test("createExternalDataManagementSystem()", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("EDMS"); - - var fCreate = function(facade) { - var edmsCreation = new dtos.ExternalDmsCreation(); - edmsCreation.setCode(code); - edmsCreation.setLabel("Test EDMS"); - edmsCreation.setAddressType(dtos.ExternalDmsAddressType.FILE_SYSTEM); - edmsCreation.setAddress("host:my/path") - return facade.createExternalDms([ edmsCreation ]); - } - - var fCheck = function(edms) { - c.assertEqual(edms.getCode(), code, "EDMS code"); - c.assertEqual(edms.getLabel(), "Test EDMS", "EDMS label"); - c.assertEqual(edms.getAddress(), "host:my/path", "EDMS address"); - c.assertEqual(edms.getUrlTemplate(), "host:my/path", "EDMS URL template"); - c.assertEqual(edms.getAddressType(), "FILE_SYSTEM", "EDMS address type"); - c.assertEqual(edms.isOpenbis(), false, "EDMS is openBIS"); - } - - testCreate(c, fCreate, c.findExternalDms, fCheck); - }); - - QUnit.test("createTags()", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("TAG"); - var description = "Description of " + code; - - var fCreate = function(facade) { - var tagCreation = new dtos.TagCreation(); - tagCreation.setCode(code); - tagCreation.setDescription(description); - return facade.createTags([ tagCreation ]); - } - - var fCheck = function(tag) { - c.assertEqual(tag.getCode(), code, "Tag code"); - c.assertEqual(tag.getDescription(), description, "Tag description"); - } - - testCreate(c, fCreate, c.findTag, fCheck); - }); - - QUnit.test("createAuthorizationGroups()", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("AUTHORIZATION_GROUP"); - var description = "Description of " + code; - - var fCreate = function(facade) { - var creation = new dtos.AuthorizationGroupCreation(); - creation.setCode(code); - creation.setDescription(description); - creation.setUserIds([ new dtos.PersonPermId("power_user") ]); - return facade.createAuthorizationGroups([ creation ]); - } - - var fCheck = function(group) { - c.assertEqual(group.getCode(), code, "Code"); - c.assertEqual(group.getDescription(), description, "Description"); - var users = $.map(group.getUsers(), function(user) { - return user.getUserId(); - }); - users.sort(); - c.assertEqual(users.toString(), "power_user", "Users"); - } - - testCreate(c, fCreate, c.findAuthorizationGroup, fCheck); - }); - - QUnit.test("createRoleAssignments() for space user", function(assert) { - var c = new common(assert, dtos); - - var fCreate = function(facade) { - return c.createSpace(facade).then(function(spaceId) { - var creation = new dtos.RoleAssignmentCreation(); - creation.setRole(dtos.Role.POWER_USER); - creation.setUserId(new dtos.PersonPermId("power_user")); - creation.setSpaceId(spaceId); - return facade.createRoleAssignments([ creation ]); - }); - } - - var fCheck = function(roleAssignment) { - c.assertEqual(roleAssignment.getUser().getUserId(), "power_user", "User"); - c.assertEqual(roleAssignment.getRole(), dtos.Role.POWER_USER, "Role"); - c.assertEqual(roleAssignment.getRoleLevel(), dtos.RoleLevel.SPACE, "Role level"); - c.assertEqual(roleAssignment.getRegistrator().getUserId(), "openbis_test_js", "Registrator"); - } - - testCreate(c, fCreate, c.findRoleAssignment, fCheck); - }); - - QUnit.test("createPersons()", function(assert) { - var c = new common(assert, dtos); - var userId = c.generateId("user"); - - var fCreate = function(facade) { - var personCreation = new dtos.PersonCreation(); - personCreation.setUserId(userId); - personCreation.setSpaceId(new dtos.SpacePermId("TEST")) - return facade.createPersons([ personCreation ]); - } - - var fCheck = function(person) { - c.assertEqual(person.getUserId(), userId, "User id"); - c.assertEqual(person.getRegistrator().getUserId(), "openbis_test_js", "Registrator"); - c.assertEqual(person.isActive(), true, "User active"); - c.assertEqual(person.getSpace().getCode(), "TEST", "Home space"); - } - - testCreate(c, fCreate, c.findPerson, fCheck); - }); - - var createSemanticAnnotationCreation = function(c) { - var creation = new dtos.SemanticAnnotationCreation(); - creation.setPredicateOntologyId("jsPredicateOntologyId"); - creation.setPredicateOntologyVersion("jsPredicateOntologyVersion"); - creation.setPredicateAccessionId("jsPredicateAccessionId"); - creation.setDescriptorOntologyId("jsDescriptorOntologyId"); - creation.setDescriptorOntologyVersion("jsDescriptorOntologyVersion"); - creation.setDescriptorAccessionId("jsDescriptorAccessionId"); - return creation; - } - - var checkCreatedSemanticAnnotation = function(c, annotation) { - c.assertEqual(annotation.getPredicateOntologyId(), "jsPredicateOntologyId", "Predicate ontology id"); - c.assertEqual(annotation.getPredicateOntologyVersion(), "jsPredicateOntologyVersion", "Predicate ontology version"); - c.assertEqual(annotation.getPredicateAccessionId(), "jsPredicateAccessionId", "Predicate accession id"); - c.assertEqual(annotation.getDescriptorOntologyId(), "jsDescriptorOntologyId", "Descriptor ontology id"); - c.assertEqual(annotation.getDescriptorOntologyVersion(), "jsDescriptorOntologyVersion", "Descriptor ontology version"); - c.assertEqual(annotation.getDescriptorAccessionId(), "jsDescriptorAccessionId", "Descriptor accession id"); - } - - QUnit.test("createSemanticAnnotations() with entity type id", function(assert) { - var c = new common(assert, dtos); - - var fCreate = function(facade) { - var creation = createSemanticAnnotationCreation(c); - creation.setEntityTypeId(new dtos.EntityTypePermId("UNKNOWN", "SAMPLE")); - return facade.createSemanticAnnotations([ creation ]); - } - - var fCheck = function(annotation) { - checkCreatedSemanticAnnotation(c, annotation); - c.assertEqual(annotation.getEntityType().getCode(), "UNKNOWN", "Entity type code"); - } - - testCreate(c, fCreate, c.findSemanticAnnotation, fCheck); - }); - - QUnit.test("createSemanticAnnotations() with property type id", function(assert) { - var c = new common(assert, dtos); - - var fCreate = function(facade) { - var creation = createSemanticAnnotationCreation(c); - creation.setPropertyTypeId(new dtos.PropertyTypePermId("CONCENTRATION")); - return facade.createSemanticAnnotations([ creation ]); - } - - var fCheck = function(annotation) { - checkCreatedSemanticAnnotation(c, annotation); - c.assertEqual(annotation.getPropertyType().getCode(), "CONCENTRATION", "Property type code"); - } - - testCreate(c, fCreate, c.findSemanticAnnotation, fCheck); - }); - - QUnit.test("createSemanticAnnotations() with property assignment id", function(assert) { - var c = new common(assert, dtos); - - var fCreate = function(facade) { - var creation = createSemanticAnnotationCreation(c); - creation.setPropertyAssignmentId(new dtos.PropertyAssignmentPermId(new dtos.EntityTypePermId("ILLUMINA_FLOW_CELL", "SAMPLE"), new dtos.PropertyTypePermId("RUNNINGTIME"))); - return facade.createSemanticAnnotations([ creation ]); - } - - var fCheck = function(annotation) { - checkCreatedSemanticAnnotation(c, annotation); - c.assertEqual(annotation.getPropertyAssignment().getEntityType().getCode(), "ILLUMINA_FLOW_CELL", "Entity type code"); - c.assertEqual(annotation.getPropertyAssignment().getEntityType().getPermId().getEntityKind(), "SAMPLE", "Entity type kind"); - c.assertEqual(annotation.getPropertyAssignment().getPropertyType().getCode(), "RUNNINGTIME", "Property type code"); - } - - testCreate(c, fCreate, c.findSemanticAnnotation, fCheck); - }); - - QUnit - .test( - "createUploadedDataSet()", - function(assert) { - var c = new common(assert, dtos); - - var fCreate = function(facade) { - - // unfortunately old Firefox that is - // used together with our - // Selenium tests does not allow to use - // FormData class which - // would make constructing form data - // much easier - - var formData = "------WebKitFormBoundary7MA4YWxkTrZu0gW\r\nContent-Disposition: form-data; name=\"file\"; filename=\"filePath/file1.txt\"\r\nContent-Type: text/plain\r\n\r\n\r\ncontent1\r\n" - + "------WebKitFormBoundary7MA4YWxkTrZu0gW\r\nContent-Disposition: form-data; name=\"file\"; filename=\"filePath/file2.txt\"\r\nContent-Type: text/plain\r\n\r\n\r\ncontent2\r\n" - + "------WebKitFormBoundary7MA4YWxkTrZu0gW--"; - - var dataStoreFacade = facade.getDataStoreFacade("DSS1"); - - return dataStoreFacade.createDataSetUpload("UNKNOWN").then(function(upload) { - return $.ajax({ - url : upload.getUrl("testFolder", false), - type : "POST", - processData : false, - contentType : "multipart/form-data; boundary=----WebKitFormBoundary7MA4YWxkTrZu0gW", - data : formData - }).then(function() { - return c.createExperiment(facade).then(function(experimentPermId) { - var creation = new dtos.UploadedDataSetCreation(); - creation.setUploadId(upload.getId()); - creation.setTypeId(new dtos.EntityTypePermId(upload.getDataSetType())); - creation.setExperimentId(experimentPermId); - creation.setProperty("DESCRIPTION", "test description"); - creation.setParentIds([ new dtos.DataSetPermId("20130424111751432-431") ]); - return dataStoreFacade.createUploadedDataSet(creation).then(function(permId) { - return [ permId ]; - }) - }); - }); - }); - } - - var fCheck = function(dataSet, facade) { - return c.waitUntilIndexed(facade, dataSet.getCode(), 10000).then(function() { - var dataStoreFacade = facade.getDataStoreFacade("DSS1"); - - var criteria = new dtos.DataSetFileSearchCriteria(); - criteria.withDataSet().withCode().thatEquals(dataSet.getCode()); - - return dataStoreFacade.searchFiles(criteria, c.createDataSetFileFetchOptions()).then(function(result) { - var files = result.getObjects(); - c.assertEqual(files.length, 6, "Number of files"); - c.assertEqual(files[0].path, "", "Path 0"); - c.assertEqual(files[1].path, "original", "Path 1"); - c.assertEqual(files[2].path, "original/testFolder", "Path 2"); - c.assertEqual(files[3].path, "original/testFolder/filePath", "Path 3"); - c.assertEqual(files[4].path, "original/testFolder/filePath/file1.txt", "Path 4"); - c.assertEqual(files[5].path, "original/testFolder/filePath/file2.txt", "Path 5"); - - c.assertEqual(dataSet.getType().getCode(), "UNKNOWN", "Type code"); - c.assertEqual(dataSet.getProperty("DESCRIPTION"), "test description", "'DESCRIPTION' property value"); - c.assertEqual(dataSet.getParents().length, 1, "Number of parents"); - c.assertEqual(dataSet.getParents()[0].getCode(), "20130424111751432-431", "Parent code"); - }); - }); - } - - testCreate(c, fCreate, c.findDataSet, fCheck); - }); - - QUnit.test("createQueries()", function(assert) { - var c = new common(assert, dtos); - - var queryCreation = new dtos.QueryCreation(); - queryCreation.setName(c.generateId("query")); - queryCreation.setDescription("test description"); - queryCreation.setDatabaseId(new dtos.QueryDatabaseName("openbisDB")); - queryCreation.setQueryType(dtos.QueryType.EXPERIMENT); - queryCreation.setEntityTypeCodePattern("test pattern"); - queryCreation.setSql("select code from spaces"); - queryCreation.setPublic(true); - - var fCreate = function(facade) { - return facade.createQueries([ queryCreation ]); - } - - var fCheck = function(query) { - c.assertNotNull(query.getPermId(), "Perm Id"); - c.assertEqual(query.getName(), queryCreation.getName(), "Name"); - c.assertEqual(query.getDescription(), queryCreation.getDescription(), "Description"); - c.assertEqual(query.getDatabaseId().getName(), queryCreation.getDatabaseId().getName(), "Database id"); - c.assertEqual(query.getDatabaseLabel(), "openBIS meta data", "Database label"); - c.assertEqual(query.getQueryType(), queryCreation.getQueryType(), "Query type"); - c.assertEqual(query.getEntityTypeCodePattern(), queryCreation.getEntityTypeCodePattern(), "Entity type code pattern"); - c.assertEqual(query.getSql(), queryCreation.getSql(), "Sql"); - c.assertEqual(query.isPublic(), queryCreation.isPublic(), "Is public"); - c.assertNotNull(query.getRegistrator().getUserId(), "Registrator user id"); - c.assertToday(query.getRegistrationDate(), "Registration date"); - c.assertToday(query.getModificationDate(), "Modification date"); - } - - testCreate(c, fCreate, c.findQuery, fCheck); - }); - - QUnit.test("createPersonalAccessTokens()", function(assert) { - var c = new common(assert, dtos); - var now = new Date(); - - var patCreation = new dtos.PersonalAccessTokenCreation(); - patCreation.setSessionName(c.generateId("pat")); - patCreation.setValidFromDate(now.getTime()); - patCreation.setValidToDate(new Date(now.getTime() + 24 * 3600 * 1000).getTime()); - - var fCreate = function(facade) { - return facade.createPersonalAccessTokens([ patCreation ]); - } - - var fCheck = function(pat) { - c.assertNotNull(pat.getPermId(), "Perm Id"); - c.assertNotNull(pat.getHash(), "Hash"); - c.assertEqual(pat.getSessionName(), patCreation.getSessionName(), "Session name"); - c.assertEqual(pat.getValidFromDate(), patCreation.getValidFromDate(), "Valid from date"); - c.assertEqual(pat.getValidToDate(), patCreation.getValidToDate(), "Valid to date"); - c.assertNotNull(pat.getOwner().getUserId(), "Owner user id"); - c.assertNotNull(pat.getRegistrator().getUserId(), "Registrator user id"); - c.assertNotNull(pat.getModifier().getUserId(), "Modifier user id"); - c.assertToday(pat.getRegistrationDate(), "Registration date"); - c.assertToday(pat.getModificationDate(), "Modification date"); - c.assertNull(pat.getAccessDate(), "Access date"); - } - - testCreate(c, fCreate, c.findPersonalAccessToken, fCheck); - }); - - } - - return function() { - executeModule("Create tests (RequireJS)", new openbis(), dtos); - executeModule("Create tests (RequireJS - executeOperations)", new openbisExecuteOperations(new openbis(), dtos), dtos); - executeModule("Create tests (module VAR)", new window.openbis.openbis(), window.openbis); - executeModule("Create tests (module VAR - executeOperations)", new openbisExecuteOperations(new window.openbis.openbis(), window.openbis), window.openbis); - executeModule("Create tests (module ESM)", new window.openbisESM.openbis(), window.openbisESM); - executeModule("Create tests (module ESM - executeOperations)", new openbisExecuteOperations(new window.openbisESM.openbis(), window.openbisESM), window.openbisESM); - } - }); diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-create.ts b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-create.ts new file mode 100644 index 0000000000000000000000000000000000000000..94870ba07a1bc0c43783a780a0cecabc2d291b0f --- /dev/null +++ b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-create.ts @@ -0,0 +1,1675 @@ +import jquery from "./types/jquery" +import underscore from "./types/underscore" +import common from "./types/common" +import openbis from "./types/openbis.esm" + +exports.default = new Promise((resolve) => { + require(["jquery", "underscore", "openbis", "test/common", "test/openbis-execute-operations", "test/dtos"], function ( + $: jquery.JQueryStatic, + _: underscore.UnderscoreStatic, + openbisRequireJS, + common: common.CommonConstructor, + openbisExecuteOperations, + dtos + ) { + var executeModule = function (moduleName: string, facade: openbis.openbis, dtos: openbis.bundle) { + QUnit.module(moduleName) + + var testCreate = function (c: common.CommonClass, fCreate, fFind, fCheck) { + c.start() + + c.login(facade) + .then(function () { + return fCreate(facade).then(function (permIds) { + c.assertTrue(permIds != null && permIds.length == 1, "Entity was created") + return fFind(facade, permIds[0]).then(function (entity) { + c.assertNotNull(entity, "Entity can be found") + var token = fCheck(entity, facade) + if (token) { + token.then(function () { + c.finish() + }) + } else { + c.finish() + } + }) + }) + }) + .fail(function (error) { + c.fail(error.message) + c.finish() + }) + } + + QUnit.test("createPermIdStrings", function (assert) { + var c = new common(assert, dtos) + c.start() + c.login(facade) + .then(function () { + return facade.createPermIdStrings(7).then(function (permIds) { + c.assertEqual(permIds.length, 7, "Number of perm ids") + c.finish() + }) + }) + .fail(function (error) { + c.fail(error.message) + c.finish() + }) + }) + + QUnit.test("createCodes", function (assert) { + var c = new common(assert, dtos) + c.start() + c.login(facade) + .then(function () { + return facade.createCodes("ABC-", dtos.EntityKind.SAMPLE, 7).then(function (codes) { + c.assertEqual(codes.length, 7, "Number of codes") + c.finish() + }) + }) + .fail(function (error) { + c.fail(error.message) + c.finish() + }) + }) + + QUnit.test("createSpaces()", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("SPACE") + + var fCreate = function (facade: openbis.openbis) { + var creation = new dtos.SpaceCreation() + creation.setCode(code) + creation.setDescription("test description") + return facade.createSpaces([creation]) + } + + var fCheck = function (space: openbis.Space) { + c.assertEqual(space.getCode(), code, "Code") + c.assertEqual(space.getDescription(), "test description", "Description") + } + + testCreate(c, fCreate, c.findSpace, fCheck) + }) + + QUnit.test("createProjects()", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("PROJECT") + + var fCreate = function (facade: openbis.openbis) { + var projectCreation = new dtos.ProjectCreation() + projectCreation.setSpaceId(new dtos.SpacePermId("TEST")) + projectCreation.setCode(code) + projectCreation.setDescription("JS test project") + + var attachmentCreation = new dtos.AttachmentCreation() + attachmentCreation.setFileName("test_file") + attachmentCreation.setTitle("test_title") + attachmentCreation.setDescription("test_description") + attachmentCreation.setContent(btoa("hello world!")) + projectCreation.setAttachments([attachmentCreation]) + return facade.createProjects([projectCreation]) + } + + var fCheck = function (project: openbis.Project) { + c.assertEqual(project.getCode(), code, "Project code") + c.assertEqual(project.getSpace().getCode(), "TEST", "Space code") + c.assertEqual(project.getDescription(), "JS test project", "Description") + var attachments = project.getAttachments() + c.assertEqual(attachments[0].getFileName(), "test_file", "Attachment file name") + c.assertEqual(attachments[0].getTitle(), "test_title", "Attachment title") + c.assertEqual(attachments[0].getDescription(), "test_description", "Attachment description") + c.assertEqual(atob(attachments[0].getContent()), "hello world!", "Attachment content") + c.assertEqual(attachments.length, 1, "Number of attachments") + } + + testCreate(c, fCreate, c.findProject, fCheck) + }) + + QUnit.test("createExperiments()", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("EXPERIMENT") + + var fCreate = function (facade: openbis.openbis) { + var experimentCreation = new dtos.ExperimentCreation() + experimentCreation.setTypeId(new dtos.EntityTypePermId("HT_SEQUENCING")) + experimentCreation.setCode(code) + experimentCreation.setProjectId(new dtos.ProjectIdentifier("/TEST/TEST-PROJECT")) + experimentCreation.setTagIds([new dtos.TagCode("CREATE_JSON_TAG")]) + var attachmentCreation = new dtos.AttachmentCreation() + attachmentCreation.setFileName("test_file") + attachmentCreation.setTitle("test_title") + attachmentCreation.setDescription("test_description") + attachmentCreation.setContent(btoa("hello world!")) + experimentCreation.setAttachments([attachmentCreation]) + experimentCreation.setProperty("EXPERIMENT_DESIGN", "SEQUENCE_ENRICHMENT") + experimentCreation.setMetaData({ meta_key: "meta_value" }) + return facade.createExperiments([experimentCreation]) + } + + var fCheck = function (experiment: openbis.Experiment) { + c.assertEqual(experiment.getCode(), code, "Experiment code") + c.assertEqual(experiment.getType().getCode(), "HT_SEQUENCING", "Type code") + c.assertEqual(experiment.getProject().getCode(), "TEST-PROJECT", "Project code") + c.assertEqual(experiment.getProject().getSpace().getCode(), "TEST", "Space code") + c.assertEqual(experiment.getTags()[0].getCode(), "CREATE_JSON_TAG", "Tag code") + var tags = experiment.getTags() + c.assertEqual(tags[0].getCode(), "CREATE_JSON_TAG", "tags") + c.assertEqual(tags.length, 1, "Number of tags") + var attachments = experiment.getAttachments() + c.assertEqual(attachments[0].getFileName(), "test_file", "Attachment file name") + c.assertEqual(attachments[0].getTitle(), "test_title", "Attachment title") + c.assertEqual(attachments[0].getDescription(), "test_description", "Attachment description") + c.assertEqual(atob(attachments[0].getContent()), "hello world!", "Attachment content") + c.assertEqual(attachments.length, 1, "Number of attachments") + var properties = experiment.getProperties() + c.assertEqual(properties["EXPERIMENT_DESIGN"], "SEQUENCE_ENRICHMENT", "Property EXPERIMENT_DESIGN") + c.assertEqual(Object.keys(properties), "EXPERIMENT_DESIGN", "Properties") + var metaData = experiment.getMetaData() + c.assertEqual(metaData["meta_key"], "meta_value", "metadata meta_key") + } + + testCreate(c, fCreate, c.findExperiment, fCheck) + }) + + QUnit.test("createExperiment() with properties of type SAMPLE and DATE", function (assert) { + var c = new common(assert, dtos) + var propertyTypeCodeSample = c.generateId("PROPERTY_TYPE") + var propertyTypeCodeDate = c.generateId("PROPERTY_TYPE") + var experimentTypeCode = c.generateId("EXPERIMENT_TYPE") + var code = c.generateId("EXPERIMENT") + + var fCreate = function (facade: openbis.openbis) { + var propertyTypeCreation1 = new dtos.PropertyTypeCreation() + propertyTypeCreation1.setCode(propertyTypeCodeSample) + propertyTypeCreation1.setDescription("hello") + propertyTypeCreation1.setDataType(dtos.DataType.SAMPLE) + propertyTypeCreation1.setLabel("Test Property Type") + var propertyTypeCreation2 = new dtos.PropertyTypeCreation() + propertyTypeCreation2.setCode(propertyTypeCodeDate) + propertyTypeCreation2.setDescription("hello") + propertyTypeCreation2.setDataType(dtos.DataType.DATE) + propertyTypeCreation2.setLabel("Test Property Type") + return facade.createPropertyTypes([propertyTypeCreation1, propertyTypeCreation2]).then(function (results) { + var assignmentCreation1 = new dtos.PropertyAssignmentCreation() + assignmentCreation1.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCodeSample)) + var assignmentCreation2 = new dtos.PropertyAssignmentCreation() + assignmentCreation2.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCodeDate)) + var experimentTypeCreation = new dtos.ExperimentTypeCreation() + experimentTypeCreation.setCode(experimentTypeCode) + experimentTypeCreation.setPropertyAssignments([assignmentCreation1, assignmentCreation2]) + return facade.createExperimentTypes([experimentTypeCreation]).then(function (results) { + var creation = new dtos.ExperimentCreation() + creation.setTypeId(new dtos.EntityTypePermId(experimentTypeCode)) + creation.setCode(code) + creation.setProjectId(new dtos.ProjectIdentifier("/TEST/TEST-PROJECT")) + creation.setProperty(propertyTypeCodeSample, "20130412140147735-20") + creation.setProperty(propertyTypeCodeDate, "2013-04-12") + return facade.createExperiments([creation]) + }) + }) + } + + var fCheck = function (experiment: openbis.Experiment) { + c.assertEqual(experiment.getCode(), code, "Experiment code") + c.assertEqual(experiment.getType().getCode(), experimentTypeCode, "Type code") + c.assertEqual(experiment.getProject().getCode(), "TEST-PROJECT", "Project code") + c.assertEqual(experiment.getProject().getSpace().getCode(), "TEST", "Space code") + c.assertEqual(experiment.getProperties()[propertyTypeCodeSample], "20130412140147735-20", "Sample property id") + c.assertEqual(experiment.getProperties()[propertyTypeCodeDate], "2013-04-12", "Date property") + c.assertEqual( + experiment.getSampleProperties()[propertyTypeCodeSample][0].getIdentifier().getIdentifier(), + "/PLATONIC/SCREENING-EXAMPLES/PLATE-1", + "Sample property" + ) + } + + testCreate(c, fCreate, c.findExperiment, fCheck) + }) + + QUnit.test("createExperiment() with unique property", function (assert) { + var c = new common(assert, dtos) + var propertyTypeCodeUnique = c.generateId("PROPERTY_TYPE") + var experimentTypeCode = c.generateId("EXPERIMENT_TYPE") + var code = c.generateId("EXPERIMENT") + var code2 = c.generateId("EXPERIMENT") + + var fCreate = function (facade: openbis.openbis) { + var propertyTypeCreation1 = new dtos.PropertyTypeCreation() + propertyTypeCreation1.setCode(propertyTypeCodeUnique) + propertyTypeCreation1.setDescription("unique text property") + propertyTypeCreation1.setDataType(dtos.DataType.VARCHAR) + propertyTypeCreation1.setLabel("Test Unique Property Type") + + return facade.createPropertyTypes([propertyTypeCreation1]).then(function (results) { + var assignmentCreation1 = new dtos.PropertyAssignmentCreation() + assignmentCreation1.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCodeUnique)) + assignmentCreation1.setUnique(true) + var experimentTypeCreation = new dtos.ExperimentTypeCreation() + experimentTypeCreation.setCode(experimentTypeCode) + experimentTypeCreation.setPropertyAssignments([assignmentCreation1]) + return facade.createExperimentTypes([experimentTypeCreation]).then(function (results) { + var creation = new dtos.ExperimentCreation() + creation.setTypeId(new dtos.EntityTypePermId(experimentTypeCode)) + creation.setCode(code) + creation.setProjectId(new dtos.ProjectIdentifier("/TEST/TEST-PROJECT")) + creation.setProperty(propertyTypeCodeUnique, "my_unique_value") + return facade.createExperiments([creation]).then(function (results) { + var creation2 = new dtos.ExperimentCreation() + creation2.setTypeId(new dtos.EntityTypePermId(experimentTypeCode)) + creation2.setCode(code2) + creation2.setProjectId(new dtos.ProjectIdentifier("/TEST/TEST-PROJECT")) + creation2.setProperty(propertyTypeCodeUnique, "my_unique_value") + return facade.createExperiments([creation2]) + }) + }) + }) + } + + c.start() + c.login(facade).then(function () { + return fCreate(facade).then(null, function (error) { + c.assertEqual( + "Insert/Update of experiment failed because property contains value that is not unique! (value: my_unique_value) (Context: [])", + error.message, + "Uniqueness error message" + ) + c.finish() + }) + }) + }) + + QUnit.test("createExperiment() with multi-value property of type SAMPLE", function (assert) { + var c = new common(assert, dtos) + var propertyTypeCodeSample = c.generateId("PROPERTY_TYPE") + + var experimentTypeCode = c.generateId("EXPERIMENT_TYPE") + var code = c.generateId("EXPERIMENT") + + var fCreate = function (facade: openbis.openbis) { + var propertyTypeCreation1 = new dtos.PropertyTypeCreation() + propertyTypeCreation1.setCode(propertyTypeCodeSample) + propertyTypeCreation1.setDescription("hello") + propertyTypeCreation1.setDataType(dtos.DataType.SAMPLE) + propertyTypeCreation1.setLabel("Test Property Type") + propertyTypeCreation1.setMultiValue(true) + return facade.createPropertyTypes([propertyTypeCreation1]).then(function (results) { + var assignmentCreation1 = new dtos.PropertyAssignmentCreation() + assignmentCreation1.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCodeSample)) + var experimentTypeCreation = new dtos.ExperimentTypeCreation() + experimentTypeCreation.setCode(experimentTypeCode) + experimentTypeCreation.setPropertyAssignments([assignmentCreation1]) + return facade.createExperimentTypes([experimentTypeCreation]).then(function (results) { + var creation = new dtos.ExperimentCreation() + creation.setTypeId(new dtos.EntityTypePermId(experimentTypeCode)) + creation.setCode(code) + creation.setProjectId(new dtos.ProjectIdentifier("/TEST/TEST-PROJECT")) + creation.setProperty(propertyTypeCodeSample, ["20130412140147735-20", "20130424134657597-433"]) + return facade.createExperiments([creation]) + }) + }) + } + + var fCheck = function (experiment: openbis.Experiment) { + c.assertEqual(experiment.getCode(), code, "Experiment code") + c.assertEqual(experiment.getType().getCode(), experimentTypeCode, "Type code") + c.assertEqual(experiment.getProject().getCode(), "TEST-PROJECT", "Project code") + c.assertEqual(experiment.getProject().getSpace().getCode(), "TEST", "Space code") + + var identifiers = experiment + .getSampleProperties() + [propertyTypeCodeSample].map((x) => x.getIdentifier().getIdentifier()) + .sort() + c.assertEqual( + identifiers.toString(), + ["/PLATONIC/SCREENING-EXAMPLES/PLATE-1", "/TEST/TEST-SAMPLE-1"].toString(), + "Sample properties" + ) + c.assertEqual( + experiment.getProperties()[propertyTypeCodeSample].sort().toString(), + ["20130412140147735-20", "20130424134657597-433"].toString(), + "Sample property ids" + ) + } + + testCreate(c, fCreate, c.findExperiment, fCheck) + }) + + QUnit.test("createExperiment() with multi-value property of type CONTROLLEDVOCABULARY", function (assert) { + var c = new common(assert, dtos) + var propertyTypeCodeVocab = c.generateId("PROPERTY_TYPE") + + var experimentTypeCode = c.generateId("EXPERIMENT_TYPE") + var code = c.generateId("EXPERIMENT") + + var fCreate = function (facade: openbis.openbis) { + var propertyTypeCreation1 = new dtos.PropertyTypeCreation() + propertyTypeCreation1.setCode(propertyTypeCodeVocab) + propertyTypeCreation1.setDescription("hello") + propertyTypeCreation1.setDataType(dtos.DataType.CONTROLLEDVOCABULARY) + propertyTypeCreation1.setLabel("Test Property Type") + propertyTypeCreation1.setMultiValue(true) + propertyTypeCreation1.setVocabularyId(new dtos.VocabularyPermId("$SUPPLIER.LANGUAGE")) + return facade.createPropertyTypes([propertyTypeCreation1]).then(function (results) { + var assignmentCreation1 = new dtos.PropertyAssignmentCreation() + assignmentCreation1.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCodeVocab)) + var experimentTypeCreation = new dtos.ExperimentTypeCreation() + experimentTypeCreation.setCode(experimentTypeCode) + experimentTypeCreation.setPropertyAssignments([assignmentCreation1]) + return facade.createExperimentTypes([experimentTypeCreation]).then(function (results) { + var creation = new dtos.ExperimentCreation() + creation.setTypeId(new dtos.EntityTypePermId(experimentTypeCode)) + creation.setCode(code) + creation.setProjectId(new dtos.ProjectIdentifier("/TEST/TEST-PROJECT")) + creation.setProperty(propertyTypeCodeVocab, ["ENGLISH", "GERMAN"]) + return facade.createExperiments([creation]) + }) + }) + } + + var fCheck = function (experiment: openbis.Experiment) { + c.assertEqual(experiment.getCode(), code, "Experiment code") + c.assertEqual(experiment.getType().getCode(), experimentTypeCode, "Type code") + c.assertEqual(experiment.getProject().getCode(), "TEST-PROJECT", "Project code") + c.assertEqual(experiment.getProject().getSpace().getCode(), "TEST", "Space code") + c.assertEqual( + experiment.getProperties()[propertyTypeCodeVocab].sort().toString(), + ["ENGLISH", "GERMAN"].toString(), + "Vocabulary property ids" + ) + } + + testCreate(c, fCreate, c.findExperiment, fCheck) + }) + + QUnit.test("createExperimentTypes()", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("EXPERIMENT_TYPE") + + var fCreate = function (facade: openbis.openbis) { + var assignmentCreation = new dtos.PropertyAssignmentCreation() + assignmentCreation.setSection("test section") + assignmentCreation.setOrdinal(10) + assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId("DESCRIPTION")) + assignmentCreation.setPluginId(new dtos.PluginPermId("Diff_time")) + assignmentCreation.setMandatory(true) + assignmentCreation.setInitialValueForExistingEntities("initial value") + assignmentCreation.setShowInEditView(true) + assignmentCreation.setShowRawValueInForms(true) + + var creation = new dtos.ExperimentTypeCreation() + creation.setCode(code) + creation.setDescription("a new description") + creation.setValidationPluginId(new dtos.PluginPermId("Has_Parents")) + creation.setPropertyAssignments([assignmentCreation]) + creation.setMetaData({ type_key: "type_value" }) + + return facade.createExperimentTypes([creation]) + } + + var fCheck = function (type: openbis.ExperimentType) { + c.assertEqual(type.getCode(), code, "Type code") + c.assertEqual(type.getPermId().getPermId(), code, "Type perm id") + c.assertEqual(type.getPermId().toString(), code + " (EXPERIMENT)", "Full type perm id") + c.assertEqual(type.getDescription(), "a new description", "Description") + + c.assertEqual(type.getPropertyAssignments().length, 1, "Assignments count") + + var assignment = type.getPropertyAssignments()[0] + + c.assertEqual(assignment.getSection(), "test section", "Assignment section") + c.assertEqual(assignment.getOrdinal(), 10, "Assignment ordinal") + c.assertEqual(assignment.getPropertyType().getCode(), "DESCRIPTION", "Assignment property type code") + c.assertEqual(assignment.isMandatory(), true, "Assignment mandatory") + c.assertEqual(assignment.isShowInEditView(), true, "Assignment ShowInEditView") + c.assertEqual(assignment.isShowRawValueInForms(), true, "Assignment ShowRawValueInForms") + c.assertEqual(assignment.getPlugin().getName(), "Diff_time", "Assignment Plugin") + + var metaData = type.getMetaData() + c.assertEqual(metaData["type_key"], "type_value", "Metadata") + } + + testCreate(c, fCreate, c.findExperimentType, fCheck) + }) + + QUnit.test("createSamples()", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("SAMPLE") + + var fCreate = async function (facade: openbis.openbis) { + var creation = new dtos.SampleCreation() + creation.setTypeId(new dtos.EntityTypePermId("UNKNOWN")) + creation.setCode(code) + creation.setSpaceId(new dtos.SpacePermId("TEST")) + creation.setTagIds([new dtos.TagCode("CREATE_JSON_TAG")]) + creation.setMetaData({ sample_key: "sample_value" }) + return facade.createSamples([creation]) + } + + var fCheck = function (sample: openbis.Sample) { + c.assertEqual(sample.getCode(), code, "Sample code") + c.assertEqual(sample.getType().getCode(), "UNKNOWN", "Type code") + c.assertEqual(sample.getSpace().getCode(), "TEST", "Space code") + c.assertEqual(sample.getTags()[0].getCode(), "CREATE_JSON_TAG", "Tag code") + + var metaData = sample.getMetaData() + c.assertEqual(metaData["sample_key"], "sample_value", "Metadata") + } + + testCreate(c, fCreate, c.findSample, fCheck) + }) + + QUnit.test("createSamples() with annotated child", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("SAMPLE") + var childId = new dtos.SampleIdentifier("/TEST/TEST-SAMPLE-1") + + var fCreate = function (facade: openbis.openbis) { + var creation = new dtos.SampleCreation() + creation.setTypeId(new dtos.EntityTypePermId("UNKNOWN")) + creation.setCode(code) + creation.setSpaceId(new dtos.SpacePermId("TEST")) + creation.setChildIds([childId]) + creation.relationship(childId).addParentAnnotation("type", "mother").addChildAnnotation("type", "daughter") + return facade.createSamples([creation]) + } + + var fCheck = function (sample: openbis.Sample) { + c.assertEqual(sample.getCode(), code, "Sample code") + c.assertEqual(sample.getType().getCode(), "UNKNOWN", "Type code") + c.assertEqual(sample.getSpace().getCode(), "TEST", "Space code") + var child = sample.getChildren()[0] + c.assertEqual(child.getIdentifier().getIdentifier(), childId.getIdentifier(), "Child") + var relationship = sample.getChildRelationship(child.getPermId()) + c.assertEqualDictionary(relationship.getChildAnnotations(), { type: "daughter" }, "Child annotations") + c.assertEqualDictionary(relationship.getParentAnnotations(), { type: "mother" }, "Parent annotations") + } + + testCreate(c, fCreate, c.findSample, fCheck) + }) + + QUnit.test("createSamples() with annotated parent", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("SAMPLE") + var parentId = new dtos.SampleIdentifier("/TEST/TEST-SAMPLE-1") + + var fCreate = function (facade: openbis.openbis) { + var creation = new dtos.SampleCreation() + creation.setTypeId(new dtos.EntityTypePermId("UNKNOWN")) + creation.setCode(code) + creation.setSpaceId(new dtos.SpacePermId("TEST")) + creation.setParentIds([parentId]) + creation.relationship(parentId).addParentAnnotation("type", "mother").addChildAnnotation("type", "daughter") + return facade.createSamples([creation]) + } + + var fCheck = function (sample: openbis.Sample) { + c.assertEqual(sample.getCode(), code, "Sample code") + c.assertEqual(sample.getType().getCode(), "UNKNOWN", "Type code") + c.assertEqual(sample.getSpace().getCode(), "TEST", "Space code") + var parent = sample.getParents()[0] + c.assertEqual(parent.getIdentifier().getIdentifier(), parentId.getIdentifier(), "Parent") + var relationship = sample.getParentRelationship(parent.getPermId()) + c.assertEqualDictionary(relationship.getChildAnnotations(), { type: "daughter" }, "Child annotations") + c.assertEqualDictionary(relationship.getParentAnnotations(), { type: "mother" }, "Parent annotations") + } + + testCreate(c, fCreate, c.findSample, fCheck) + }) + + QUnit.test("createSamples() with property of type SAMPLE", function (assert) { + var c = new common(assert, dtos) + var propertyTypeCode = c.generateId("PROPERTY_TYPE") + var sampleTypeCode = c.generateId("SAMPLE_TYPE") + var code = c.generateId("SAMPLE") + + var fCreate = function (facade: openbis.openbis) { + var propertyTypeCreation = new dtos.PropertyTypeCreation() + propertyTypeCreation.setCode(propertyTypeCode) + propertyTypeCreation.setDescription("hello") + propertyTypeCreation.setDataType(dtos.DataType.SAMPLE) + propertyTypeCreation.setLabel("Test Property Type") + return facade.createPropertyTypes([propertyTypeCreation]).then(function (results) { + var assignmentCreation = new dtos.PropertyAssignmentCreation() + assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)) + var sampleTypeCreation = new dtos.SampleTypeCreation() + sampleTypeCreation.setCode(sampleTypeCode) + sampleTypeCreation.setPropertyAssignments([assignmentCreation]) + return facade.createSampleTypes([sampleTypeCreation]).then(function (results) { + var creation = new dtos.SampleCreation() + creation.setTypeId(new dtos.EntityTypePermId(sampleTypeCode)) + creation.setCode(code) + creation.setSpaceId(new dtos.SpacePermId("TEST")) + creation.setProperty(propertyTypeCode, "20130412140147735-20") + return facade.createSamples([creation]) + }) + }) + } + + var fCheck = function (sample: openbis.Sample) { + c.assertEqual(sample.getCode(), code, "Sample code") + c.assertEqual(sample.getType().getCode(), sampleTypeCode, "Type code") + c.assertEqual(sample.getSpace().getCode(), "TEST", "Space code") + c.assertEqual( + sample.getSampleProperties()[propertyTypeCode][0].getIdentifier().getIdentifier(), + "/PLATONIC/SCREENING-EXAMPLES/PLATE-1", + "Sample property" + ) + c.assertEqual(sample.getProperties()[propertyTypeCode], "20130412140147735-20", "Sample property id") + } + + testCreate(c, fCreate, c.findSample, fCheck) + }) + + QUnit.test("createSamples() with a unique property", function (assert) { + var c = new common(assert, dtos) + var propertyTypeCode = c.generateId("PROPERTY_TYPE") + var sampleTypeCode = c.generateId("SAMPLE_TYPE") + var code = c.generateId("SAMPLE") + var code2 = c.generateId("SAMPLE") + + var fCreate = function (facade: openbis.openbis) { + var propertyTypeCreation = new dtos.PropertyTypeCreation() + propertyTypeCreation.setCode(propertyTypeCode) + propertyTypeCreation.setDescription("hello") + propertyTypeCreation.setDataType(dtos.DataType.VARCHAR) + propertyTypeCreation.setLabel("Test Property Type") + return facade.createPropertyTypes([propertyTypeCreation]).then(function (results) { + var assignmentCreation = new dtos.PropertyAssignmentCreation() + assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)) + assignmentCreation.setUnique(true) + var sampleTypeCreation = new dtos.SampleTypeCreation() + sampleTypeCreation.setCode(sampleTypeCode) + sampleTypeCreation.setPropertyAssignments([assignmentCreation]) + return facade.createSampleTypes([sampleTypeCreation]).then(function (results) { + var creation = new dtos.SampleCreation() + creation.setTypeId(new dtos.EntityTypePermId(sampleTypeCode)) + creation.setCode(code) + creation.setSpaceId(new dtos.SpacePermId("TEST")) + creation.setProperty(propertyTypeCode, "my_unique_value") + return facade.createSamples([creation]).then(function (results) { + var creation2 = new dtos.SampleCreation() + creation2.setTypeId(new dtos.EntityTypePermId(sampleTypeCode)) + creation2.setCode(code2) + creation2.setSpaceId(new dtos.SpacePermId("TEST")) + creation2.setProperty(propertyTypeCode, "my_unique_value") + return facade.createSamples([creation2]) + }) + }) + }) + } + + c.start() + c.login(facade).then(function () { + return fCreate(facade).then(null, function (error) { + c.assertEqual( + "Insert/Update of object failed because property contains value that is not unique! (value: my_unique_value) (Context: [])", + error.message, + "Uniqueness error message" + ) + c.finish() + }) + }) + }) + + QUnit.test("createSamples() with multi-value property of type SAMPLE", function (assert) { + var c = new common(assert, dtos) + var propertyTypeCode = c.generateId("PROPERTY_TYPE") + var sampleTypeCode = c.generateId("SAMPLE_TYPE") + var code = c.generateId("SAMPLE") + + var fCreate = function (facade: openbis.openbis) { + var propertyTypeCreation = new dtos.PropertyTypeCreation() + propertyTypeCreation.setCode(propertyTypeCode) + propertyTypeCreation.setDescription("hello") + propertyTypeCreation.setDataType(dtos.DataType.SAMPLE) + propertyTypeCreation.setLabel("Test Property Type") + propertyTypeCreation.setMultiValue(true) + return facade.createPropertyTypes([propertyTypeCreation]).then(function (results) { + var assignmentCreation = new dtos.PropertyAssignmentCreation() + assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)) + var sampleTypeCreation = new dtos.SampleTypeCreation() + sampleTypeCreation.setCode(sampleTypeCode) + sampleTypeCreation.setPropertyAssignments([assignmentCreation]) + return facade.createSampleTypes([sampleTypeCreation]).then(function (results) { + var creation = new dtos.SampleCreation() + creation.setTypeId(new dtos.EntityTypePermId(sampleTypeCode)) + creation.setCode(code) + creation.setSpaceId(new dtos.SpacePermId("TEST")) + creation.setProperty(propertyTypeCode, ["20130412140147735-20", "20130424134657597-433"]) + return facade.createSamples([creation]) + }) + }) + } + + var fCheck = function (sample: openbis.Sample) { + c.assertEqual(sample.getCode(), code, "Sample code") + c.assertEqual(sample.getType().getCode(), sampleTypeCode, "Type code") + c.assertEqual(sample.getSpace().getCode(), "TEST", "Space code") + var identifiers = sample + .getSampleProperties() + [propertyTypeCode].map((x) => x.getIdentifier().getIdentifier()) + .sort() + c.assertEqual( + identifiers.toString(), + ["/PLATONIC/SCREENING-EXAMPLES/PLATE-1", "/TEST/TEST-SAMPLE-1"].toString(), + "Sample properties" + ) + c.assertEqual( + sample.getProperties()[propertyTypeCode].sort().toString(), + ["20130412140147735-20", "20130424134657597-433"].toString(), + "Sample property ids" + ) + } + testCreate(c, fCreate, c.findSample, fCheck) + }) + + QUnit.test("createSamples() with multi-value property of type CONTROLLEDVOCABULARY", function (assert) { + var c = new common(assert, dtos) + var propertyTypeCode = c.generateId("PROPERTY_TYPE") + var sampleTypeCode = c.generateId("SAMPLE_TYPE") + var code = c.generateId("SAMPLE") + + var fCreate = function (facade: openbis.openbis) { + var propertyTypeCreation = new dtos.PropertyTypeCreation() + propertyTypeCreation.setCode(propertyTypeCode) + propertyTypeCreation.setDescription("hello") + propertyTypeCreation.setDataType(dtos.DataType.CONTROLLEDVOCABULARY) + propertyTypeCreation.setLabel("Test Property Type") + propertyTypeCreation.setMultiValue(true) + propertyTypeCreation.setVocabularyId(new dtos.VocabularyPermId("$SUPPLIER.LANGUAGE")) + return facade.createPropertyTypes([propertyTypeCreation]).then(function (results) { + var assignmentCreation = new dtos.PropertyAssignmentCreation() + assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)) + var sampleTypeCreation = new dtos.SampleTypeCreation() + sampleTypeCreation.setCode(sampleTypeCode) + sampleTypeCreation.setPropertyAssignments([assignmentCreation]) + return facade.createSampleTypes([sampleTypeCreation]).then(function (results) { + var creation = new dtos.SampleCreation() + creation.setTypeId(new dtos.EntityTypePermId(sampleTypeCode)) + creation.setCode(code) + creation.setSpaceId(new dtos.SpacePermId("TEST")) + creation.setProperty(propertyTypeCode, ["ENGLISH", "GERMAN"]) + return facade.createSamples([creation]) + }) + }) + } + + var fCheck = function (sample: openbis.Sample) { + c.assertEqual(sample.getCode(), code, "Sample code") + c.assertEqual(sample.getType().getCode(), sampleTypeCode, "Type code") + c.assertEqual(sample.getSpace().getCode(), "TEST", "Space code") + c.assertEqual( + sample.getProperties()[propertyTypeCode].sort().toString(), + ["ENGLISH", "GERMAN"].toString(), + "Vocabulary property ids" + ) + } + testCreate(c, fCreate, c.findSample, fCheck) + }) + + QUnit.test("createSampleTypes()", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("SAMPLE_TYPE") + + var fCreate = function (facade: openbis.openbis) { + var assignmentCreation = new dtos.PropertyAssignmentCreation() + assignmentCreation.setSection("test section") + assignmentCreation.setOrdinal(10) + assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId("DESCRIPTION")) + assignmentCreation.setPluginId(new dtos.PluginPermId("Diff_time")) + assignmentCreation.setMandatory(true) + assignmentCreation.setInitialValueForExistingEntities("initial value") + assignmentCreation.setShowInEditView(true) + assignmentCreation.setShowRawValueInForms(true) + + var creation = new dtos.SampleTypeCreation() + creation.setCode(code) + creation.setDescription("a new description") + creation.setAutoGeneratedCode(true) + creation.setSubcodeUnique(true) + creation.setGeneratedCodePrefix("TEST_PREFIX") + creation.setListable(true) + creation.setShowContainer(true) + creation.setShowParents(true) + creation.setShowParentMetadata(true) + creation.setValidationPluginId(new dtos.PluginPermId("Has_Parents")) + creation.setPropertyAssignments([assignmentCreation]) + creation.setMetaData({ sample_type_key: "type_value" }) + + return facade.createSampleTypes([creation]) + } + + var fCheck = function (type: openbis.SampleType) { + c.assertEqual(type.getCode(), code, "Type code") + c.assertEqual(type.getPermId().getPermId(), code, "Type perm id") + c.assertEqual(type.getDescription(), "a new description", "Description") + c.assertEqual(type.isAutoGeneratedCode(), true, "AutoGeneratedCode") + c.assertEqual(type.isSubcodeUnique(), true, "SubcodeUnique") + c.assertEqual(type.getGeneratedCodePrefix(), "TEST_PREFIX", "GeneratedCodePrefix") + c.assertEqual(type.isListable(), true, "Listable") + c.assertEqual(type.isShowContainer(), true, "ShowContainer") + c.assertEqual(type.isShowParents(), true, "ShowParents") + c.assertEqual(type.isShowParentMetadata(), true, "ShowParentMetadata") + + c.assertEqual(type.getPropertyAssignments().length, 1, "Assignments count") + + var assignment = type.getPropertyAssignments()[0] + + c.assertEqual(assignment.getSection(), "test section", "Assignment section") + c.assertEqual(assignment.getOrdinal(), 10, "Assignment ordinal") + c.assertEqual(assignment.getPropertyType().getCode(), "DESCRIPTION", "Assignment property type code") + c.assertEqual(assignment.isMandatory(), true, "Assignment mandatory") + c.assertEqual(assignment.isShowInEditView(), true, "Assignment ShowInEditView") + c.assertEqual(assignment.isShowRawValueInForms(), true, "Assignment ShowRawValueInForms") + c.assertEqual(assignment.getPlugin().getName(), "Diff_time", "Assignment Plugin") + + var metaData = type.getMetaData() + c.assertEqual(metaData["sample_type_key"], "type_value", "Metadata") + } + + testCreate(c, fCreate, c.findSampleType, fCheck) + }) + + QUnit.test("createDataSets() link data set via DSS", function (assert) { + var c = new common(assert, dtos) + var emdsId = null + + var fCreate = function (facade: openbis.openbis) { + return c.createExperiment(facade).then(function (experimentPermId) { + return c.createFileExternalDms(facade).then(function (emdsPermId) { + emdsId = emdsPermId + var creation = new dtos.FullDataSetCreation() + var dataSet = new dtos.DataSetCreation() + dataSet.setCode(c.generateId("DATA_SET")) + dataSet.setTypeId(new dtos.EntityTypePermId("LINK_TYPE")) + dataSet.setExperimentId(experimentPermId) + dataSet.setDataStoreId(new dtos.DataStorePermId("DSS1")) + var linkedData = new dtos.LinkedDataCreation() + var cc = new dtos.ContentCopyCreation() + cc.setExternalDmsId(emdsPermId) + cc.setPath("my/path") + linkedData.setContentCopies([cc]) + dataSet.setLinkedData(linkedData) + creation.setMetadataCreation(dataSet) + var f1 = new dtos.DataSetFileCreation() + f1.setDirectory(true) + f1.setPath("root/folder") + var f2 = new dtos.DataSetFileCreation() + f2.setDirectory(false) + f2.setPath("root/my-file-in.txt") + f2.setFileLength(42) + f2.setChecksumCRC32(123456) + creation.setFileMetadata([f1, f2]) + return facade.getDataStoreFacade(["DSS1", "DSS2"]).createDataSets([creation]) + }) + }) + } + + var fCheck = function (dataSet: openbis.DataSet, facade: openbis.openbis) { + c.assertEqual(dataSet.getType().getCode(), "LINK_TYPE", "Data set type") + var contentCopies = dataSet.getLinkedData().getContentCopies() + c.assertEqual(contentCopies.length, 1, "Number of content copies") + var contentCopy = contentCopies[0] + c.assertEqual(contentCopy.getExternalDms().getPermId().toString(), emdsId.toString(), "External data management system") + c.assertEqual(contentCopy.getPath(), "/my/path", "Content copy path") + var dfd = $.Deferred() + var dataSetCode = dataSet.getCode() + c.waitUntilIndexed(facade, dataSetCode, 10000).then(function () { + var criteria = new dtos.DataSetFileSearchCriteria() + criteria.withDataSet().withCode().thatEquals(dataSet.getCode()) + facade + .getDataStoreFacade(["DSS1"]) + .searchFiles(criteria, c.createDataSetFileFetchOptions()) + .then(function (result) { + var files = result.getObjects() + c.assertEqual(files.length, 4, "Number of files") + files.sort(function (f1, f2) { + return f1.getPath().localeCompare(f2.getPath()) + }) + var expectedPaths = ["", "root", "root/folder", "root/my-file-in.txt"] + var expectedDirectoryFlags = [true, true, true, false] + var expectedSizes = [42, 42, 0, 42] + var expectedChecksums = [0, 0, 0, 123456] + for (var i = 0; i < files.length; i++) { + var file = files[i] + var postfix = " of file " + (i + 1) + c.assertEqual(file.getDataSetPermId().toString(), dataSetCode, "Data set" + postfix) + c.assertEqual(file.getDataStore().getCode(), "DSS1", "Data store" + postfix) + c.assertEqual(file.getPath(), expectedPaths[i], "Path" + postfix) + c.assertEqual(file.isDirectory(), expectedDirectoryFlags[i], "Directory flag" + postfix) + c.assertEqual(file.getChecksumCRC32(), expectedChecksums[i], "Checksum" + postfix) + } + dfd.resolve() + }) + }) + return dfd.promise() + } + + testCreate(c, fCreate, c.findDataSet, fCheck) + }) + + QUnit.test("createDataSet() with property of type SAMPLE", function (assert) { + var c = new common(assert, dtos) + var propertyTypeCode = c.generateId("PROPERTY_TYPE") + var dataSetTypeCode = c.generateId("DATA_SET_TYPE") + var code = c.generateId("DATA_SET") + + var fCreate = function (facade: openbis.openbis) { + var propertyTypeCreation = new dtos.PropertyTypeCreation() + propertyTypeCreation.setCode(propertyTypeCode) + propertyTypeCreation.setDescription("hello") + propertyTypeCreation.setDataType(dtos.DataType.SAMPLE) + propertyTypeCreation.setLabel("Test Property Type") + return facade.createPropertyTypes([propertyTypeCreation]).then(function (results) { + var assignmentCreation = new dtos.PropertyAssignmentCreation() + assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)) + var dataSetTypeCreation = new dtos.DataSetTypeCreation() + dataSetTypeCreation.setCode(dataSetTypeCode) + dataSetTypeCreation.setPropertyAssignments([assignmentCreation]) + return facade.createDataSetTypes([dataSetTypeCreation]).then(function (results) { + var creation = new dtos.DataSetCreation() + creation.setTypeId(new dtos.EntityTypePermId(dataSetTypeCode)) + creation.setCode(code) + creation.setDataSetKind(dtos.DataSetKind.CONTAINER) + creation.setDataStoreId(new dtos.DataStorePermId("DSS1")) + creation.setExperimentId(new dtos.ExperimentIdentifier("/TEST/TEST-PROJECT/TEST-EXPERIMENT")) + creation.setProperty(propertyTypeCode, "20130412140147735-20") + creation.setMetaData({ dataset_key: "dataset_value" }) + return facade.createDataSets([creation]) + }) + }) + } + + var fCheck = function (dataSet: openbis.DataSet) { + c.assertEqual(dataSet.getCode(), code, "Data set code") + c.assertEqual(dataSet.getType().getCode(), dataSetTypeCode, "Type code") + c.assertEqual(dataSet.getProperties()[propertyTypeCode], "20130412140147735-20", "Sample property id") + c.assertEqual( + dataSet.getSampleProperties()[propertyTypeCode][0].getIdentifier().getIdentifier(), + "/PLATONIC/SCREENING-EXAMPLES/PLATE-1", + "Sample property" + ) + + var metaData = dataSet.getMetaData() + c.assertEqual(metaData["dataset_key"], "dataset_value", "Metadata") + } + + testCreate(c, fCreate, c.findDataSet, fCheck) + }) + + QUnit.test("createDataSet() with unique property", function (assert) { + var c = new common(assert, dtos) + var propertyTypeCode = c.generateId("PROPERTY_TYPE") + var dataSetTypeCode = c.generateId("DATA_SET_TYPE") + var code = c.generateId("DATA_SET") + var code2 = c.generateId("DATA_SET") + + var fCreate = function (facade: openbis.openbis) { + var propertyTypeCreation = new dtos.PropertyTypeCreation() + propertyTypeCreation.setCode(propertyTypeCode) + propertyTypeCreation.setDescription("hello") + propertyTypeCreation.setDataType(dtos.DataType.VARCHAR) + propertyTypeCreation.setLabel("Test Property Type") + return facade.createPropertyTypes([propertyTypeCreation]).then(function (results) { + var assignmentCreation = new dtos.PropertyAssignmentCreation() + assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)) + assignmentCreation.setUnique(true) + var dataSetTypeCreation = new dtos.DataSetTypeCreation() + dataSetTypeCreation.setCode(dataSetTypeCode) + dataSetTypeCreation.setPropertyAssignments([assignmentCreation]) + return facade.createDataSetTypes([dataSetTypeCreation]).then(function (results) { + var creation = new dtos.DataSetCreation() + creation.setTypeId(new dtos.EntityTypePermId(dataSetTypeCode)) + creation.setCode(code) + creation.setDataSetKind(dtos.DataSetKind.CONTAINER) + creation.setDataStoreId(new dtos.DataStorePermId("DSS1")) + creation.setExperimentId(new dtos.ExperimentIdentifier("/TEST/TEST-PROJECT/TEST-EXPERIMENT")) + creation.setProperty(propertyTypeCode, "my_unique_value") + return facade.createDataSets([creation]).then(function (results) { + var creation2 = new dtos.DataSetCreation() + creation2.setTypeId(new dtos.EntityTypePermId(dataSetTypeCode)) + creation2.setCode(code2) + creation2.setDataSetKind(dtos.DataSetKind.CONTAINER) + creation2.setDataStoreId(new dtos.DataStorePermId("DSS1")) + creation2.setExperimentId(new dtos.ExperimentIdentifier("/TEST/TEST-PROJECT/TEST-EXPERIMENT")) + creation2.setProperty(propertyTypeCode, "my_unique_value") + return facade.createDataSets([creation2]) + }) + }) + }) + } + + c.start() + c.login(facade).then(function () { + return fCreate(facade).then(null, function (error) { + c.assertEqual( + "Insert/Update of dataset failed because property contains value that is not unique! (value: my_unique_value) (Context: [])", + error.message, + "Uniqueness error message" + ) + c.finish() + }) + }) + }) + + QUnit.test("createDataSet() with multi-value property of type SAMPLE", function (assert) { + var c = new common(assert, dtos) + var propertyTypeCode = c.generateId("PROPERTY_TYPE") + var dataSetTypeCode = c.generateId("DATA_SET_TYPE") + var code = c.generateId("DATA_SET") + + var fCreate = function (facade: openbis.openbis) { + var propertyTypeCreation = new dtos.PropertyTypeCreation() + propertyTypeCreation.setCode(propertyTypeCode) + propertyTypeCreation.setDescription("hello") + propertyTypeCreation.setDataType(dtos.DataType.SAMPLE) + propertyTypeCreation.setLabel("Test Property Type") + propertyTypeCreation.setMultiValue(true) + return facade.createPropertyTypes([propertyTypeCreation]).then(function (results) { + var assignmentCreation = new dtos.PropertyAssignmentCreation() + assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)) + var dataSetTypeCreation = new dtos.DataSetTypeCreation() + dataSetTypeCreation.setCode(dataSetTypeCode) + dataSetTypeCreation.setPropertyAssignments([assignmentCreation]) + return facade.createDataSetTypes([dataSetTypeCreation]).then(function (results) { + var creation = new dtos.DataSetCreation() + creation.setTypeId(new dtos.EntityTypePermId(dataSetTypeCode)) + creation.setCode(code) + creation.setDataSetKind(dtos.DataSetKind.CONTAINER) + creation.setDataStoreId(new dtos.DataStorePermId("DSS1")) + creation.setExperimentId(new dtos.ExperimentIdentifier("/TEST/TEST-PROJECT/TEST-EXPERIMENT")) + creation.setProperty(propertyTypeCode, ["20130412140147735-20", "20130424134657597-433"]) + creation.setMetaData({ dataset_key: "dataset_value" }) + return facade.createDataSets([creation]) + }) + }) + } + + var fCheck = function (dataSet: openbis.DataSet) { + c.assertEqual(dataSet.getCode(), code, "Data set code") + c.assertEqual(dataSet.getType().getCode(), dataSetTypeCode, "Type code") + + var identifiers = dataSet + .getSampleProperties() + [propertyTypeCode].map((x) => x.getIdentifier().getIdentifier()) + .sort() + c.assertEqual( + identifiers.toString(), + ["/PLATONIC/SCREENING-EXAMPLES/PLATE-1", "/TEST/TEST-SAMPLE-1"].toString(), + "Sample properties" + ) + c.assertEqual( + dataSet.getProperties()[propertyTypeCode].sort().toString(), + ["20130412140147735-20", "20130424134657597-433"].toString(), + "Sample property ids" + ) + + var metaData = dataSet.getMetaData() + c.assertEqual(metaData["dataset_key"], "dataset_value", "Metadata") + } + + testCreate(c, fCreate, c.findDataSet, fCheck) + }) + + QUnit.test("createDataSet() with multi-value property of type CONTROLLEDVOCABULARY", function (assert) { + var c = new common(assert, dtos) + var propertyTypeCode = c.generateId("PROPERTY_TYPE") + var dataSetTypeCode = c.generateId("DATA_SET_TYPE") + var code = c.generateId("DATA_SET") + + var fCreate = function (facade: openbis.openbis) { + var propertyTypeCreation = new dtos.PropertyTypeCreation() + propertyTypeCreation.setCode(propertyTypeCode) + propertyTypeCreation.setDescription("hello") + propertyTypeCreation.setDataType(dtos.DataType.CONTROLLEDVOCABULARY) + propertyTypeCreation.setLabel("Test Property Type") + propertyTypeCreation.setMultiValue(true) + propertyTypeCreation.setVocabularyId(new dtos.VocabularyPermId("$SUPPLIER.LANGUAGE")) + return facade.createPropertyTypes([propertyTypeCreation]).then(function (results) { + var assignmentCreation = new dtos.PropertyAssignmentCreation() + assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)) + var dataSetTypeCreation = new dtos.DataSetTypeCreation() + dataSetTypeCreation.setCode(dataSetTypeCode) + dataSetTypeCreation.setPropertyAssignments([assignmentCreation]) + return facade.createDataSetTypes([dataSetTypeCreation]).then(function (results) { + var creation = new dtos.DataSetCreation() + creation.setTypeId(new dtos.EntityTypePermId(dataSetTypeCode)) + creation.setCode(code) + creation.setDataSetKind(dtos.DataSetKind.CONTAINER) + creation.setDataStoreId(new dtos.DataStorePermId("DSS1")) + creation.setExperimentId(new dtos.ExperimentIdentifier("/TEST/TEST-PROJECT/TEST-EXPERIMENT")) + creation.setProperty(propertyTypeCode, ["ENGLISH", "GERMAN"]) + creation.setMetaData({ dataset_key: "dataset_value" }) + return facade.createDataSets([creation]) + }) + }) + } + + var fCheck = function (dataSet: openbis.DataSet) { + c.assertEqual(dataSet.getCode(), code, "Data set code") + c.assertEqual(dataSet.getType().getCode(), dataSetTypeCode, "Type code") + c.assertEqual( + dataSet.getProperties()[propertyTypeCode].sort().toString(), + ["ENGLISH", "GERMAN"].toString(), + "Vocabulary property ids" + ) + var metaData = dataSet.getMetaData() + c.assertEqual(metaData["dataset_key"], "dataset_value", "Metadata") + } + + testCreate(c, fCreate, c.findDataSet, fCheck) + }) + + QUnit.test("createDataSetTypes()", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("DATA_SET_TYPE") + + var fCreate = function (facade: openbis.openbis) { + var assignmentCreation = new dtos.PropertyAssignmentCreation() + assignmentCreation.setSection("test section") + assignmentCreation.setOrdinal(10) + assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId("DESCRIPTION")) + assignmentCreation.setPluginId(new dtos.PluginPermId("Diff_time")) + assignmentCreation.setMandatory(true) + assignmentCreation.setInitialValueForExistingEntities("initial value") + assignmentCreation.setShowInEditView(true) + assignmentCreation.setShowRawValueInForms(true) + + var creation = new dtos.DataSetTypeCreation() + creation.setCode(code) + creation.setDescription("a new description") + creation.setMainDataSetPattern(".*\\.jpg") + creation.setMainDataSetPath("original/images/") + creation.setDisallowDeletion(true) + creation.setValidationPluginId(new dtos.PluginPermId("Has_Parents")) + creation.setPropertyAssignments([assignmentCreation]) + creation.setMetaData({ dataset_type_key: "dataset_type_value" }) + + return facade.createDataSetTypes([creation]) + } + + var fCheck = function (type: openbis.DataSetType) { + c.assertEqual(type.getCode(), code, "Type code") + c.assertEqual(type.getPermId().getPermId(), code, "Type perm id") + c.assertEqual(type.getDescription(), "a new description", "Description") + c.assertEqual(type.getMainDataSetPattern(), ".*\\.jpg", "Main data set pattern") + c.assertEqual(type.getMainDataSetPath(), "original/images/", "Main data set path") + c.assertEqual(type.isDisallowDeletion(), true, "Disallow deletion") + + c.assertEqual(type.getPropertyAssignments().length, 1, "Assignments count") + + var assignment = type.getPropertyAssignments()[0] + + c.assertEqual(assignment.getSection(), "test section", "Assignment section") + c.assertEqual(assignment.getOrdinal(), 10, "Assignment ordinal") + c.assertEqual(assignment.getPropertyType().getCode(), "DESCRIPTION", "Assignment property type code") + c.assertEqual(assignment.isMandatory(), true, "Assignment mandatory") + c.assertEqual(assignment.isShowInEditView(), true, "Assignment ShowInEditView") + c.assertEqual(assignment.isShowRawValueInForms(), true, "Assignment ShowRawValueInForms") + c.assertEqual(assignment.getPlugin().getName(), "Diff_time", "Assignment Plugin") + + var metaData = type.getMetaData() + c.assertEqual(metaData["dataset_type_key"], "dataset_type_value", "Metadata") + } + + testCreate(c, fCreate, c.findDataSetType, fCheck) + }) + + QUnit.test("createMaterials()", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("MATERIAL") + + var fCreate = function (facade: openbis.openbis) { + var materialCreation = new dtos.MaterialCreation() + materialCreation.setTypeId(new dtos.EntityTypePermId("COMPOUND")) + materialCreation.setCode(code) + materialCreation.setProperty("DESCRIPTION", "Metal") + return facade.createMaterials([materialCreation]) + } + + var fCheck = function (material: openbis.Material) { + c.assertEqual(material.getCode(), code, "Material code") + c.assertEqual(material.getType().getCode(), "COMPOUND", "Type code") + var properties = material.getProperties() + c.assertEqual(properties["DESCRIPTION"], "Metal", "Property DESCRIPTION") + } + + testCreate(c, fCreate, c.findMaterial, fCheck) + }) + + QUnit.test("createMaterialTypes()", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("MATERIAL_TYPE") + + var fCreate = function (facade: openbis.openbis) { + var assignmentCreation = new dtos.PropertyAssignmentCreation() + assignmentCreation.setSection("test section") + assignmentCreation.setOrdinal(10) + assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId("DESCRIPTION")) + assignmentCreation.setPluginId(new dtos.PluginPermId("Diff_time")) + assignmentCreation.setMandatory(true) + assignmentCreation.setInitialValueForExistingEntities("initial value") + assignmentCreation.setShowInEditView(true) + assignmentCreation.setShowRawValueInForms(true) + + var creation = new dtos.MaterialTypeCreation() + creation.setCode(code) + creation.setDescription("a new description") + creation.setValidationPluginId(new dtos.PluginPermId("Has_Parents")) + creation.setPropertyAssignments([assignmentCreation]) + + return facade.createMaterialTypes([creation]) + } + + var fCheck = function (type: openbis.MaterialType) { + c.assertEqual(type.getCode(), code, "Type code") + c.assertEqual(type.getPermId().getPermId(), code, "Type perm id") + c.assertEqual(type.getDescription(), "a new description", "Description") + + c.assertEqual(type.getPropertyAssignments().length, 1, "Assignments count") + + var assignment = type.getPropertyAssignments()[0] + + c.assertEqual(assignment.getSection(), "test section", "Assignment section") + c.assertEqual(assignment.getOrdinal(), 10, "Assignment ordinal") + c.assertEqual(assignment.getPropertyType().getCode(), "DESCRIPTION", "Assignment property type code") + c.assertEqual(assignment.isMandatory(), true, "Assignment mandatory") + c.assertEqual(assignment.isShowInEditView(), true, "Assignment ShowInEditView") + c.assertEqual(assignment.isShowRawValueInForms(), true, "Assignment ShowRawValueInForms") + c.assertEqual(assignment.getPlugin().getName(), "Diff_time", "Assignment Plugin") + } + + testCreate(c, fCreate, c.findMaterialType, fCheck) + }) + + QUnit.test("createPropertyTypes()", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("PROPERTY_TYPE") + var metaData = { greetings: "hello test" } + + var fCreate = function (facade: openbis.openbis) { + var creation = new dtos.PropertyTypeCreation() + creation.setCode(code) + creation.setDescription("hello") + creation.setDataType(dtos.DataType.INTEGER) + creation.setLabel("Test Property Type") + creation.setMetaData(metaData) + return facade.createPropertyTypes([creation]) + } + + var fCheck = function (type: openbis.PropertyType) { + c.assertEqual(type.getCode(), code, "Type code") + c.assertEqual(type.getPermId().getPermId(), code, "Type perm id") + c.assertEqual(type.getLabel(), "Test Property Type", "Label") + c.assertEqual(type.getDescription(), "hello", "Description") + c.assertEqual(type.getDataType(), dtos.DataType.INTEGER, "Data type") + c.assertEqual(type.getMetaData().toString(), metaData, "Meta data") + } + + testCreate(c, fCreate, c.findPropertyType, fCheck) + }) + + QUnit.test("createPropertyType() with data type SAMPLE", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("PROPERTY_TYPE") + var metaData = { greetings: "hello test" } + + var fCreate = function (facade: openbis.openbis) { + var creation = new dtos.PropertyTypeCreation() + creation.setCode(code) + creation.setDescription("hello") + creation.setDataType(dtos.DataType.SAMPLE) + creation.setLabel("Test Property Type") + creation.setMetaData(metaData) + creation.setSampleTypeId(new dtos.EntityTypePermId("UNKNOWN", "SAMPLE")) + return facade.createPropertyTypes([creation]) + } + + var fCheck = function (type: openbis.PropertyType) { + c.assertEqual(type.getCode(), code, "Type code") + c.assertEqual(type.getPermId().getPermId(), code, "Type perm id") + c.assertEqual(type.getLabel(), "Test Property Type", "Label") + c.assertEqual(type.getDescription(), "hello", "Description") + c.assertEqual(type.getDataType(), dtos.DataType.SAMPLE, "Data type") + c.assertEqual(type.getMetaData().toString(), metaData, "Meta data") + c.assertEqual(type.getSampleType().toString(), "UNKNOWN", "Sample type") + } + + testCreate(c, fCreate, c.findPropertyType, fCheck) + }) + + QUnit.test("createPlugins()", function (assert) { + var c = new common(assert, dtos) + var name = c.generateId("PLUGIN") + + var fCreate = function (facade: openbis.openbis) { + var creation = new dtos.PluginCreation() + creation.setName(name) + creation.setDescription("hello") + creation.setPluginType(dtos.PluginType.ENTITY_VALIDATION) + creation.setScript("def a():\n pass") + return facade.createPlugins([creation]) + } + + var fCheck = function (plugin: openbis.Plugin) { + c.assertEqual(plugin.getName(), name, "Name") + c.assertEqual(plugin.getPermId().getPermId(), name, "Perm id") + c.assertEqual(plugin.getDescription(), "hello", "Description") + c.assertEqual(plugin.getPluginKind(), dtos.PluginKind.JYTHON, "Plugin kind") + c.assertEqual(plugin.getPluginType(), dtos.PluginType.ENTITY_VALIDATION, "Plugin type") + c.assertEqual(plugin.getScript(), "def a():\n pass", "Script") + c.assertEqual(plugin.isAvailable(), true, "Available?") + } + + testCreate(c, fCreate, c.findPlugin, fCheck) + }) + + QUnit.test("createVocabularies()", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("VOCABULARY") + + var fCreate = function (facade: openbis.openbis) { + var vocabularyCreation = new dtos.VocabularyCreation() + vocabularyCreation.setCode(code) + vocabularyCreation.setDescription("test description") + vocabularyCreation.setManagedInternally(false) + vocabularyCreation.setChosenFromList(true) + vocabularyCreation.setUrlTemplate("https://www.ethz.ch") + var termCreation = new dtos.VocabularyTermCreation() + termCreation.setCode("alpha") + vocabularyCreation.setTerms([termCreation]) + return facade.createVocabularies([vocabularyCreation]) + } + + var fCheck = function (vocabulary: openbis.Vocabulary) { + c.assertEqual(vocabulary.getCode(), code, "Code") + c.assertEqual(vocabulary.getDescription(), "test description", "Description") + c.assertEqual(vocabulary.isManagedInternally(), false, "Managed internally") + c.assertEqual(vocabulary.isChosenFromList(), true, "Chosen from list") + c.assertEqual(vocabulary.getUrlTemplate(), "https://www.ethz.ch", "URL template") + } + + testCreate(c, fCreate, c.findVocabulary, fCheck) + }) + + QUnit.test("createVocabularyTerms()", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("VOCABULARY_TERM") + + var fCreate = function (facade: openbis.openbis) { + var termCreation = new dtos.VocabularyTermCreation() + termCreation.setVocabularyId(new dtos.VocabularyPermId("TEST-VOCABULARY")) + termCreation.setCode(code) + termCreation.setLabel("test label") + termCreation.setDescription("test description") + termCreation.setOfficial(true) + termCreation.setPreviousTermId(new dtos.VocabularyTermPermId("TEST-TERM-1", "TEST-VOCABULARY")) + return facade.createVocabularyTerms([termCreation]) + } + + var fCheck = function (term: openbis.VocabularyTerm) { + c.assertEqual(term.getCode(), code, "Term code") + c.assertEqual(term.getVocabulary().getCode(), "TEST-VOCABULARY", "Term vocabulary code") + c.assertEqual(term.getLabel(), "test label", "Term label") + c.assertEqual(term.getDescription(), "test description", "Term description") + c.assertEqual(term.isOfficial(), true, "Term official") + c.assertEqual(term.getOrdinal(), 2, "Term ordinal") + } + + testCreate(c, fCreate, c.findVocabularyTerm, fCheck) + }) + + QUnit.test("createExternalDataManagementSystem()", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("EDMS") + + var fCreate = function (facade: openbis.openbis) { + var edmsCreation = new dtos.ExternalDmsCreation() + edmsCreation.setCode(code) + edmsCreation.setLabel("Test EDMS") + edmsCreation.setAddressType(dtos.ExternalDmsAddressType.FILE_SYSTEM) + edmsCreation.setAddress("host:my/path") + return facade.createExternalDataManagementSystems([edmsCreation]) + } + + var fCheck = function (edms: openbis.ExternalDms) { + c.assertEqual(edms.getCode(), code, "EDMS code") + c.assertEqual(edms.getLabel(), "Test EDMS", "EDMS label") + c.assertEqual(edms.getAddress(), "host:my/path", "EDMS address") + c.assertEqual(edms.getUrlTemplate(), "host:my/path", "EDMS URL template") + c.assertEqual(edms.getAddressType(), "FILE_SYSTEM", "EDMS address type") + c.assertEqual(edms.isOpenbis(), false, "EDMS is openBIS") + } + + testCreate(c, fCreate, c.findExternalDms, fCheck) + }) + + QUnit.test("createTags()", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("TAG") + var description = "Description of " + code + + var fCreate = function (facade: openbis.openbis) { + var tagCreation = new dtos.TagCreation() + tagCreation.setCode(code) + tagCreation.setDescription(description) + return facade.createTags([tagCreation]) + } + + var fCheck = function (tag: openbis.Tag) { + c.assertEqual(tag.getCode(), code, "Tag code") + c.assertEqual(tag.getDescription(), description, "Tag description") + } + + testCreate(c, fCreate, c.findTag, fCheck) + }) + + QUnit.test("createAuthorizationGroups()", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("AUTHORIZATION_GROUP") + var description = "Description of " + code + + var fCreate = function (facade: openbis.openbis) { + var creation = new dtos.AuthorizationGroupCreation() + creation.setCode(code) + creation.setDescription(description) + creation.setUserIds([new dtos.PersonPermId("power_user")]) + return facade.createAuthorizationGroups([creation]) + } + + var fCheck = function (group: openbis.AuthorizationGroup) { + c.assertEqual(group.getCode(), code, "Code") + c.assertEqual(group.getDescription(), description, "Description") + var users = $.map(group.getUsers(), function (user) { + return user.getUserId() + }) + users.sort() + c.assertEqual(users.toString(), "power_user", "Users") + } + + testCreate(c, fCreate, c.findAuthorizationGroup, fCheck) + }) + + QUnit.test("createRoleAssignments() for space user", function (assert) { + var c = new common(assert, dtos) + + var fCreate = function (facade: openbis.openbis) { + return c.createSpace(facade).then(function (spaceId) { + var creation = new dtos.RoleAssignmentCreation() + creation.setRole(dtos.Role.POWER_USER) + creation.setUserId(new dtos.PersonPermId("power_user")) + creation.setSpaceId(spaceId) + return facade.createRoleAssignments([creation]) + }) + } + + var fCheck = function (roleAssignment: openbis.RoleAssignment) { + c.assertEqual(roleAssignment.getUser().getUserId(), "power_user", "User") + c.assertEqual(roleAssignment.getRole(), dtos.Role.POWER_USER, "Role") + c.assertEqual(roleAssignment.getRoleLevel(), dtos.RoleLevel.SPACE, "Role level") + c.assertEqual(roleAssignment.getRegistrator().getUserId(), "openbis_test_js", "Registrator") + } + + testCreate(c, fCreate, c.findRoleAssignment, fCheck) + }) + + QUnit.test("createPersons()", function (assert) { + var c = new common(assert, dtos) + var userId = c.generateId("user") + + var fCreate = function (facade: openbis.openbis) { + var personCreation = new dtos.PersonCreation() + personCreation.setUserId(userId) + personCreation.setSpaceId(new dtos.SpacePermId("TEST")) + return facade.createPersons([personCreation]) + } + + var fCheck = function (person: openbis.Person) { + c.assertEqual(person.getUserId(), userId, "User id") + c.assertEqual(person.getRegistrator().getUserId(), "openbis_test_js", "Registrator") + c.assertEqual(person.isActive(), true, "User active") + c.assertEqual(person.getSpace().getCode(), "TEST", "Home space") + } + + testCreate(c, fCreate, c.findPerson, fCheck) + }) + + var createSemanticAnnotationCreation = function (c) { + var creation = new dtos.SemanticAnnotationCreation() + creation.setPredicateOntologyId("jsPredicateOntologyId") + creation.setPredicateOntologyVersion("jsPredicateOntologyVersion") + creation.setPredicateAccessionId("jsPredicateAccessionId") + creation.setDescriptorOntologyId("jsDescriptorOntologyId") + creation.setDescriptorOntologyVersion("jsDescriptorOntologyVersion") + creation.setDescriptorAccessionId("jsDescriptorAccessionId") + return creation + } + + var checkCreatedSemanticAnnotation = function (c, annotation: openbis.SemanticAnnotation) { + c.assertEqual(annotation.getPredicateOntologyId(), "jsPredicateOntologyId", "Predicate ontology id") + c.assertEqual(annotation.getPredicateOntologyVersion(), "jsPredicateOntologyVersion", "Predicate ontology version") + c.assertEqual(annotation.getPredicateAccessionId(), "jsPredicateAccessionId", "Predicate accession id") + c.assertEqual(annotation.getDescriptorOntologyId(), "jsDescriptorOntologyId", "Descriptor ontology id") + c.assertEqual(annotation.getDescriptorOntologyVersion(), "jsDescriptorOntologyVersion", "Descriptor ontology version") + c.assertEqual(annotation.getDescriptorAccessionId(), "jsDescriptorAccessionId", "Descriptor accession id") + } + + QUnit.test("createSemanticAnnotations() with entity type id", function (assert) { + var c = new common(assert, dtos) + + var fCreate = function (facade: openbis.openbis) { + var creation = createSemanticAnnotationCreation(c) + creation.setEntityTypeId(new dtos.EntityTypePermId("UNKNOWN", "SAMPLE")) + return facade.createSemanticAnnotations([creation]) + } + + var fCheck = function (annotation: openbis.SemanticAnnotation) { + checkCreatedSemanticAnnotation(c, annotation) + c.assertEqual(annotation.getEntityType().getCode(), "UNKNOWN", "Entity type code") + } + + testCreate(c, fCreate, c.findSemanticAnnotation, fCheck) + }) + + QUnit.test("createSemanticAnnotations() with property type id", function (assert) { + var c = new common(assert, dtos) + + var fCreate = function (facade: openbis.openbis) { + var creation = createSemanticAnnotationCreation(c) + creation.setPropertyTypeId(new dtos.PropertyTypePermId("CONCENTRATION")) + return facade.createSemanticAnnotations([creation]) + } + + var fCheck = function (annotation: openbis.SemanticAnnotation) { + checkCreatedSemanticAnnotation(c, annotation) + c.assertEqual(annotation.getPropertyType().getCode(), "CONCENTRATION", "Property type code") + } + + testCreate(c, fCreate, c.findSemanticAnnotation, fCheck) + }) + + QUnit.test("createSemanticAnnotations() with property assignment id", function (assert) { + var c = new common(assert, dtos) + + var fCreate = function (facade: openbis.openbis) { + var creation = createSemanticAnnotationCreation(c) + creation.setPropertyAssignmentId( + new dtos.PropertyAssignmentPermId( + new dtos.EntityTypePermId("ILLUMINA_FLOW_CELL", "SAMPLE"), + new dtos.PropertyTypePermId("RUNNINGTIME") + ) + ) + return facade.createSemanticAnnotations([creation]) + } + + var fCheck = function (annotation: openbis.SemanticAnnotation) { + checkCreatedSemanticAnnotation(c, annotation) + c.assertEqual(annotation.getPropertyAssignment().getEntityType().getCode(), "ILLUMINA_FLOW_CELL", "Entity type code") + c.assertEqual( + (<openbis.EntityTypePermId>annotation.getPropertyAssignment().getEntityType().getPermId()).getEntityKind(), + "SAMPLE", + "Entity type kind" + ) + c.assertEqual(annotation.getPropertyAssignment().getPropertyType().getCode(), "RUNNINGTIME", "Property type code") + } + + testCreate(c, fCreate, c.findSemanticAnnotation, fCheck) + }) + + QUnit.test("createUploadedDataSet()", function (assert) { + var c = new common(assert, dtos) + + var fCreate = function (facade: openbis.openbis) { + // unfortunately old Firefox that is + // used together with our + // Selenium tests does not allow to use + // FormData class which + // would make constructing form data + // much easier + + var formData = + '------WebKitFormBoundary7MA4YWxkTrZu0gW\r\nContent-Disposition: form-data; name="file"; filename="filePath/file1.txt"\r\nContent-Type: text/plain\r\n\r\n\r\ncontent1\r\n' + + '------WebKitFormBoundary7MA4YWxkTrZu0gW\r\nContent-Disposition: form-data; name="file"; filename="filePath/file2.txt"\r\nContent-Type: text/plain\r\n\r\n\r\ncontent2\r\n' + + "------WebKitFormBoundary7MA4YWxkTrZu0gW--" + + var dataStoreFacade = facade.getDataStoreFacade(["DSS1"]) + + return dataStoreFacade.createDataSetUpload("UNKNOWN").then(function (upload) { + return $.ajax({ + url: upload.getUrl("testFolder", false), + type: "POST", + processData: false, + contentType: "multipart/form-data; boundary=----WebKitFormBoundary7MA4YWxkTrZu0gW", + data: formData, + }).then(function () { + return c.createExperiment(facade).then(function (experimentPermId) { + var creation = new dtos.UploadedDataSetCreation() + creation.setUploadId(upload.getId()) + creation.setTypeId(new dtos.EntityTypePermId(upload.getDataSetType())) + creation.setExperimentId(experimentPermId) + creation.setProperty("DESCRIPTION", "test description") + creation.setParentIds([new dtos.DataSetPermId("20130424111751432-431")]) + return dataStoreFacade.createUploadedDataSet(creation).then(function (permId) { + return [permId] + }) + }) + }) + }) + } + + var fCheck = function (dataSet: openbis.DataSet, facade: openbis.openbis) { + return c.waitUntilIndexed(facade, dataSet.getCode(), 10000).then(function () { + var dataStoreFacade = facade.getDataStoreFacade(["DSS1"]) + + var criteria = new dtos.DataSetFileSearchCriteria() + criteria.withDataSet().withCode().thatEquals(dataSet.getCode()) + + return dataStoreFacade.searchFiles(criteria, c.createDataSetFileFetchOptions()).then(function (result) { + var files = result.getObjects() + c.assertEqual(files.length, 6, "Number of files") + c.assertEqual(files[0].getPath(), "", "Path 0") + c.assertEqual(files[1].getPath(), "original", "Path 1") + c.assertEqual(files[2].getPath(), "original/testFolder", "Path 2") + c.assertEqual(files[3].getPath(), "original/testFolder/filePath", "Path 3") + c.assertEqual(files[4].getPath(), "original/testFolder/filePath/file1.txt", "Path 4") + c.assertEqual(files[5].getPath(), "original/testFolder/filePath/file2.txt", "Path 5") + + c.assertEqual(dataSet.getType().getCode(), "UNKNOWN", "Type code") + c.assertEqual(dataSet.getProperty("DESCRIPTION"), "test description", "'DESCRIPTION' property value") + c.assertEqual(dataSet.getParents().length, 1, "Number of parents") + c.assertEqual(dataSet.getParents()[0].getCode(), "20130424111751432-431", "Parent code") + }) + }) + } + + testCreate(c, fCreate, c.findDataSet, fCheck) + }) + + QUnit.test("createQueries()", function (assert) { + var c = new common(assert, dtos) + + var queryCreation = new dtos.QueryCreation() + queryCreation.setName(c.generateId("query")) + queryCreation.setDescription("test description") + queryCreation.setDatabaseId(new dtos.QueryDatabaseName("openbisDB")) + queryCreation.setQueryType(dtos.QueryType.EXPERIMENT) + queryCreation.setEntityTypeCodePattern("test pattern") + queryCreation.setSql("select code from spaces") + queryCreation.setPublic(true) + + var fCreate = function (facade: openbis.openbis) { + return facade.createQueries([queryCreation]) + } + + var fCheck = function (query: openbis.Query) { + c.assertNotNull(query.getPermId(), "Perm Id") + c.assertEqual(query.getName(), queryCreation.getName(), "Name") + c.assertEqual(query.getDescription(), queryCreation.getDescription(), "Description") + c.assertEqual( + (<openbis.QueryDatabaseName>query.getDatabaseId()).getName(), + (<openbis.QueryDatabaseName>queryCreation.getDatabaseId()).getName(), + "Database id" + ) + c.assertEqual(query.getDatabaseLabel(), "openBIS meta data", "Database label") + c.assertEqual(query.getQueryType(), queryCreation.getQueryType(), "Query type") + c.assertEqual(query.getEntityTypeCodePattern(), queryCreation.getEntityTypeCodePattern(), "Entity type code pattern") + c.assertEqual(query.getSql(), queryCreation.getSql(), "Sql") + c.assertEqual(query.isPublic(), queryCreation.isPublic(), "Is public") + c.assertNotNull(query.getRegistrator().getUserId(), "Registrator user id") + c.assertToday(query.getRegistrationDate(), "Registration date") + c.assertToday(query.getModificationDate(), "Modification date") + } + + testCreate(c, fCreate, c.findQuery, fCheck) + }) + + QUnit.test("createPersonalAccessTokens()", function (assert) { + var c = new common(assert, dtos) + var now = new Date() + + var patCreation = new dtos.PersonalAccessTokenCreation() + patCreation.setSessionName(c.generateId("pat")) + patCreation.setValidFromDate(now.getTime()) + patCreation.setValidToDate(new Date(now.getTime() + 24 * 3600 * 1000).getTime()) + + var fCreate = function (facade: openbis.openbis) { + return facade.createPersonalAccessTokens([patCreation]) + } + + var fCheck = function (pat: openbis.PersonalAccessToken) { + c.assertNotNull(pat.getPermId(), "Perm Id") + c.assertNotNull(pat.getHash(), "Hash") + c.assertEqual(pat.getSessionName(), patCreation.getSessionName(), "Session name") + c.assertEqual(pat.getValidFromDate(), patCreation.getValidFromDate(), "Valid from date") + c.assertEqual(pat.getValidToDate(), patCreation.getValidToDate(), "Valid to date") + c.assertNotNull(pat.getOwner().getUserId(), "Owner user id") + c.assertNotNull(pat.getRegistrator().getUserId(), "Registrator user id") + c.assertNotNull(pat.getModifier().getUserId(), "Modifier user id") + c.assertToday(pat.getRegistrationDate(), "Registration date") + c.assertToday(pat.getModificationDate(), "Modification date") + c.assertNull(pat.getAccessDate(), "Access date") + } + + testCreate(c, fCreate, c.findPersonalAccessToken, fCheck) + }) + } + + resolve(function () { + executeModule("Create tests (RequireJS)", new openbisRequireJS(), dtos) + executeModule("Create tests (RequireJS - executeOperations)", new openbisExecuteOperations(new openbisRequireJS(), dtos), dtos) + executeModule("Create tests (module VAR)", new window.openbis.openbis(), window.openbis) + executeModule( + "Create tests (module VAR - executeOperations)", + new openbisExecuteOperations(new window.openbis.openbis(), window.openbis), + window.openbis + ) + executeModule("Create tests (module ESM)", new window.openbisESM.openbis(), window.openbisESM) + executeModule( + "Create tests (module ESM - executeOperations)", + new openbisExecuteOperations(new window.openbisESM.openbis(), window.openbisESM), + window.openbisESM + ) + }) + }) +}) diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-custom-services.js b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-custom-services.js deleted file mode 100644 index 1d28a9abddd7840de30978fe280cb950a08c6c80..0000000000000000000000000000000000000000 --- a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-custom-services.js +++ /dev/null @@ -1,74 +0,0 @@ -/** - * Test searching and executing custom AS services. - */ -define([ 'jquery', 'underscore', 'openbis', 'test/openbis-execute-operations', 'test/common', 'test/dtos' ], function($, _, openbis, openbisExecuteOperations, common, dtos) { - var executeModule = function(moduleName, facade, dtos) { - QUnit.module(moduleName); - - var testAction = function(c, fAction, fCheck) { - c.start(); - - c.login(facade).then(function() { - c.ok("Login"); - return fAction(facade).then(function(result) { - c.ok("Got results"); - fCheck(facade, result); - c.finish(); - }); - }).fail(function(error) { - c.fail(error.message); - c.finish(); - }); - } - - QUnit.test("searchCustomASServices()", function(assert) { - var c = new common(assert, dtos); - - var fAction = function(facade) { - var criteria = new dtos.CustomASServiceSearchCriteria(); - criteria.withCode().thatStartsWith("simple"); - return facade.searchCustomASServices(criteria, new dtos.CustomASServiceFetchOptions()); - } - - var fCheck = function(facade, result) { - var services = result.getObjects(); - c.assertEqual(services.length, 1); - var service = services[0]; - c.assertEqual(service.getCode().getPermId(), "simple-service", "Code"); - c.assertEqual(service.getDescription(), "a simple service", "Description"); - } - - testAction(c, fAction, fCheck); - }); - - QUnit.test("executeCustomASService()", function(assert) { - var c = new common(assert, dtos); - - var fAction = function(facade) { - var id = new dtos.CustomASServiceCode("simple-service"); - var options = new dtos.CustomASServiceExecutionOptions().withParameter("a", "1").withParameter("space-code", "TEST"); - return facade.executeCustomASService(id, options); - } - - var fCheck = function(facade, result) { - c.assertEqual(1, result.getTotalCount()); - var space = result.getObjects()[0]; - c.assertEqual(space.getPermId(), "TEST", "PermId"); - c.assertEqual(space.getCode(), "TEST", "Code"); - c.assertEqual(space.getDescription(), null, "Description"); - c.assertDate(space.getRegistrationDate(), "Registration date", 2013, 4, 12, 12, 59); - } - - testAction(c, fAction, fCheck); - }); - } - - return function() { - executeModule("Custom AS service tests (RequireJS)", new openbis(), dtos); - executeModule("Custom AS service tests (RequireJS - executeOperations)", new openbisExecuteOperations(new openbis(), dtos), dtos); - executeModule("Custom AS service tests (module VAR)", new window.openbis.openbis(), window.openbis); - executeModule("Custom AS service tests (module VAR - executeOperations)", new openbisExecuteOperations(new window.openbis.openbis(), window.openbis), window.openbis); - executeModule("Custom AS service tests (module ESM)", new window.openbisESM.openbis(), window.openbisESM); - executeModule("Custom AS service tests (module ESM - executeOperations)", new openbisExecuteOperations(new window.openbisESM.openbis(), window.openbisESM), window.openbisESM); - } -}) \ No newline at end of file diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-custom-services.ts b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-custom-services.ts new file mode 100644 index 0000000000000000000000000000000000000000..3b7514d61669db3f2e02135dc2dcbeb0527fc3e8 --- /dev/null +++ b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-custom-services.ts @@ -0,0 +1,98 @@ +/** + * Test searching and executing custom AS services. + */ +import jquery from "./types/jquery" +import underscore from "./types/underscore" +import common from "./types/common" +import openbis from "./types/openbis.esm" + +exports.default = new Promise((resolve) => { + require(["jquery", "underscore", "openbis", "test/common", "test/openbis-execute-operations", "test/dtos"], function ( + $: jquery.JQueryStatic, + _: underscore.UnderscoreStatic, + openbisRequireJS, + common: common.CommonConstructor, + openbisExecuteOperations, + dtos + ) { + var executeModule = function (moduleName: string, facade: openbis.openbis, dtos: openbis.bundle) { + QUnit.module(moduleName) + + var testAction = function (c: common.CommonClass, fAction, fCheck) { + c.start() + + c.login(facade) + .then(function () { + c.ok("Login") + return fAction(facade).then(function (result) { + c.ok("Got results") + fCheck(facade, result) + c.finish() + }) + }) + .fail(function (error) { + c.fail(error.message) + c.finish() + }) + } + + QUnit.test("searchCustomASServices()", function (assert) { + var c = new common(assert, dtos) + + var fAction = function (facade: openbis.openbis) { + var criteria = new dtos.CustomASServiceSearchCriteria() + criteria.withCode().thatStartsWith("simple") + return facade.searchCustomASServices(criteria, new dtos.CustomASServiceFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, result: openbis.SearchResult<openbis.CustomASService>) { + var services = result.getObjects() + c.assertEqual(services.length, 1) + var service = services[0] + c.assertEqual(service.getCode().getPermId(), "simple-service", "Code") + c.assertEqual(service.getDescription(), "a simple service", "Description") + } + + testAction(c, fAction, fCheck) + }) + + QUnit.test("executeCustomASService()", function (assert) { + var c = new common(assert, dtos) + + var fAction = function (facade: openbis.openbis) { + var id = new dtos.CustomASServiceCode("simple-service") + var options = new dtos.CustomASServiceExecutionOptions().withParameter("a", "1").withParameter("space-code", "TEST") + return facade.executeCustomASService(id, options) + } + + var fCheck = function (facade: openbis.openbis, result: any) { + c.assertEqual(1, result.getTotalCount()) + var space = result.getObjects()[0] + c.assertEqual(space.getPermId(), "TEST", "PermId") + c.assertEqual(space.getCode(), "TEST", "Code") + c.assertEqual(space.getDescription(), null, "Description") + c.assertDate(space.getRegistrationDate(), "Registration date", 2013, 4, 12, 12, 59) + } + + testAction(c, fAction, fCheck) + }) + } + + resolve(function () { + executeModule("Custom AS service tests (RequireJS)", new openbisRequireJS(), dtos) + executeModule("Custom AS service tests (RequireJS - executeOperations)", new openbisExecuteOperations(new openbisRequireJS(), dtos), dtos) + executeModule("Custom AS service tests (module VAR)", new window.openbis.openbis(), window.openbis) + executeModule( + "Custom AS service tests (module VAR - executeOperations)", + new openbisExecuteOperations(new window.openbis.openbis(), window.openbis), + window.openbis + ) + executeModule("Custom AS service tests (module ESM)", new window.openbisESM.openbis(), window.openbisESM) + executeModule( + "Custom AS service tests (module ESM - executeOperations)", + new openbisExecuteOperations(new window.openbisESM.openbis(), window.openbisESM), + window.openbisESM + ) + }) + }) +}) diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-delete.js b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-delete.js deleted file mode 100644 index 9f85937732c27a5bc25731e599979a1f628f66a5..0000000000000000000000000000000000000000 --- a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-delete.js +++ /dev/null @@ -1,398 +0,0 @@ -define([ 'jquery', 'underscore', 'openbis', 'test/openbis-execute-operations', 'test/common', 'test/dtos' ], function($, _, openbis, openbisExecuteOperations, common, dtos) { - var executeModule = function(moduleName, facade, dtos) { - QUnit.module(moduleName); - - var testDeleteWithoutTrash = function(c, fCreate, fFind, fDelete) { - c.start(); - - c.login(facade).then(function() { - return fCreate(facade).then(function(permId) { - c.assertNotNull(permId, "Entity was created"); - return fFind(facade, permId).then(function(entity) { - c.assertNotNull(entity, "Entity can be found"); - return facade.searchDeletions(new dtos.DeletionSearchCriteria(), new dtos.DeletionFetchOptions()).then(function(beforeDeletions) { - c.ok("Got before deletions"); - return fDelete(facade, permId).then(function() { - c.ok("Entity was deleted"); - return facade.searchDeletions(new dtos.DeletionSearchCriteria(), new dtos.DeletionFetchOptions()).then(function(afterDeletions) { - c.ok("Got after deletions"); - c.assertEqual(beforeDeletions.getObjects().length, afterDeletions.getObjects().length, "No new deletions found"); - return fFind(facade, permId).then(function(entityAfterDeletion) { - c.assertNull(entityAfterDeletion, "Entity was deleted"); - c.finish(); - }); - }); - }); - }); - }); - }); - }).fail(function(error) { - c.fail(error.message); - c.finish(); - }); - } - - var testDeleteWithTrashAndRevert = function(c, fCreate, fFind, fDelete) { - c.start(); - - c.login(facade).then(function() { - return fCreate(facade).then(function(permIdAndMore) { - if (permIdAndMore.identifier) { - permId = permIdAndMore.permId - } else { - permId = permIdAndMore; - } - c.assertNotNull(permId, "Entity was created"); - return fFind(facade, permId).then(function(entity) { - c.assertNotNull(entity, "Entity can be found"); - return facade.searchDeletions(new dtos.DeletionSearchCriteria(), new dtos.DeletionFetchOptions()).then(function(beforeDeletions) { - c.ok("Got before deletions"); - return fDelete(facade, permId).then(function(deletionId) { - c.ok("Entity was deleted"); - c.assertNotEqual(deletionId.getTechId(), "", "Deletion tech id not an empty string"); - var fo = new dtos.DeletionFetchOptions(); - fo.withDeletedObjects(); - return facade.searchDeletions(new dtos.DeletionSearchCriteria(), fo).then(function(afterDeletions) { - var objects = afterDeletions.getObjects(); - c.ok("Got after deletions"); - c.assertEqual(objects.length, beforeDeletions.getObjects().length + 1, "One new deletion"); - var newDeletion = objects[afterDeletions.getObjects().length - 1]; - if (permIdAndMore.identifier) { - var deletedObject = newDeletion.deletedObjects[0]; - c.assertEqual(deletedObject.identifier, permIdAndMore.identifier, "Entity identifier match"); - c.assertEqual(deletedObject.entityTypeCode, permIdAndMore.entityTypeCode, "Entity type match"); - c.assertEqual(deletedObject.entityKind, permIdAndMore.entityKind, "Entity kind match"); - } - c.assertEqual(newDeletion.getId().getTechId(), deletionId.getTechId(), "Deletion ids match"); - return fFind(facade, permId).then(function(entityAfterDeletion) { - c.assertNull(entityAfterDeletion, "Entity was deleted"); - return facade.revertDeletions([ deletionId ]).then(function() { - c.ok("Reverted deletion"); - return fFind(facade, permId).then(function(entityAfterRevert) { - c.assertNotNull(entityAfterRevert, "Entity is back"); - c.finish(); - }); - }); - }); - }); - }); - }); - }); - }); - }).fail(function(error) { - c.fail(error.message); - c.finish(); - }); - } - - var testDeleteWithTrashAndConfirm = function(c, fCreate, fFind, fDelete) { - c.start(); - - c.login(facade).then( - function() { - return fCreate(facade).then( - function(permId) { - c.assertNotNull(permId, "Entity was created"); - return fFind(facade, permId).then( - function(entity) { - c.assertNotNull(entity, "Entity can be found"); - return facade.searchDeletions(new dtos.DeletionSearchCriteria(), new dtos.DeletionFetchOptions()).then( - function(deletionsBeforeDeletion) { - c.ok("Got before deletions"); - return fDelete(facade, permId).then( - function(deletionId) { - c.ok("Entity was deleted"); - return facade.searchDeletions(new dtos.DeletionSearchCriteria(), new dtos.DeletionFetchOptions()).then( - function(deletionsAfterDeletion) { - c.ok("Got after deletions"); - c.assertEqual(deletionsAfterDeletion.getObjects().length, deletionsBeforeDeletion.getObjects().length + 1, - "One new deletion"); - c.assertEqual(deletionsAfterDeletion.getObjects()[deletionsAfterDeletion.getObjects().length - 1].getId() - .getTechId(), deletionId.getTechId(), "Deletion ids match"); - return fFind(facade, permId).then( - function(entityAfterDeletion) { - c.assertNull(entityAfterDeletion, "Entity was deleted"); - return facade.confirmDeletions([ deletionId ]).then( - function() { - c.ok("Confirmed deletion"); - return fFind(facade, permId).then( - function(entityAfterConfirm) { - c.assertNull(entityAfterConfirm, "Entity is still gone"); - return facade.searchDeletions(new dtos.DeletionSearchCriteria(), - new dtos.DeletionFetchOptions()).then( - function(deletionsAfterConfirm) { - c.assertEqual(deletionsAfterConfirm.getObjects().length, - deletionsBeforeDeletion.getObjects().length, - "New deletion is also gone"); - c.finish(); - }); - }); - }); - }); - }); - }); - }); - }); - }); - }).fail(function(error) { - c.fail(error.message); - c.finish(); - }); - } - - QUnit.test("deleteSpaces()", function(assert) { - var c = new common(assert, dtos); - testDeleteWithoutTrash(c, c.createSpace, c.findSpace, c.deleteSpace); - }); - - QUnit.test("deleteProjects()", function(assert) { - var c = new common(assert, dtos); - testDeleteWithoutTrash(c, c.createProject, c.findProject, c.deleteProject); - }); - - QUnit.test("deleteExperiments() with revert", function(assert) { - var c = new common(assert, dtos); - testDeleteWithTrashAndRevert(c, function(facade) { - return c.createExperiment(facade).then(function(permId) { - var fo = new dtos.ExperimentFetchOptions(); - fo.withType(); - return facade.getExperiments([permId], fo).then(function (map) { - var experiment = map[permId]; - return {"permId" : permId, - "identifier" : experiment.identifier, - "entityTypeCode" : experiment.type.code, - "entityKind" : dtos.EntityKind.EXPERIMENT}; - }); - }); - }, c.findExperiment, c.deleteExperiment); - }); - - QUnit.test("deleteExperiments() with confirm", function(assert) { - var c = new common(assert, dtos); - testDeleteWithTrashAndConfirm(c, c.createExperiment, c.findExperiment, c.deleteExperiment); - }); - - QUnit.test("deleteSamples() with revert", function(assert) { - var c = new common(assert, dtos); - testDeleteWithTrashAndRevert(c, function(facade) { - return c.createSample(facade).then(function(permId) { - var fo = new dtos.SampleFetchOptions(); - fo.withType(); - return facade.getSamples([permId], fo).then(function (map) { - var sample = map[permId]; - return {"permId" : permId, - "identifier" : sample.identifier, - "entityTypeCode" : sample.type.code, - "entityKind" : dtos.EntityKind.SAMPLE}; - }); - }); - }, c.findSample, c.deleteSample); - }); - - QUnit.test("deleteSamples() with confirm", function(assert) { - var c = new common(assert, dtos); - testDeleteWithTrashAndConfirm(c, c.createSample, c.findSample, c.deleteSample); - }); - - QUnit.test("deleteDataSets() with revert", function(assert) { - var c = new common(assert, dtos); - testDeleteWithTrashAndRevert(c, function(facade) { - return c.createDataSet(facade).then(function(permId) { - var fo = new dtos.DataSetFetchOptions(); - fo.withType(); - return facade.getDataSets([permId], fo).then(function (map) { - var dataSet = map[permId]; - return {"permId" : permId, - "identifier" : dataSet.code, - "entityTypeCode" : dataSet.type.code, - "entityKind" : dtos.EntityKind.DATA_SET}; - }); - }); - }, c.findDataSet, c.deleteDataSet); - }); - - QUnit.test("deleteDataSets() with confirm", function(assert) { - var c = new common(assert, dtos); - testDeleteWithTrashAndConfirm(c, c.createDataSet, c.findDataSet, c.deleteDataSet); - }); - - QUnit.test("deleteDataSets() with disallowed type without force flag", function(assert) { - var c = new common(assert, dtos); - - c.start(); - - c.login(facade).then(function() { - return c.createDataSetType(facade, "DELETION-TEST").then(function(typeId) { - c.assertNotNull(typeId, "Data set type created") - return c.createDataSet(facade, typeId.getPermId()).then(function(permId) { - c.assertNotNull(permId, "Entity was created"); - return c.deleteDataSet(facade, permId).then(function(deletionId) { - c.assertNotNull(deletionId, "Entity was moved to trash"); - var update = new dtos.DataSetTypeUpdate(); - update.setTypeId(typeId); - update.setDisallowDeletion(true); - return facade.updateDataSetTypes([update]).then(function() { - c.ok("Data set type updated") - return facade.confirmDeletions([ deletionId ]).then(function() { - c.fail("Confirmation of deletion should fail without the force flag"); - c.finish(); - }); - }); - }); - }); - }); - }).fail(function(error) { - c.assertContains(error.message, "Deletion failed because the following data sets have 'Disallow deletion' flag set to true in their type", "Expected error message"); - c.finish(); - }); - }); - - QUnit.test("deleteDataSets() with disallowed type with force flag", function(assert) { - var c = new common(assert, dtos); - - c.start(); - - c.login(facade).then(function() { - return c.createDataSetType(facade, "DELETION-TEST").then(function(typeId) { - c.assertNotNull(typeId, "Data set type created") - return c.createDataSet(facade, typeId.getPermId()).then(function(permId) { - c.assertNotNull(permId, "Entity was created"); - return c.deleteDataSet(facade, permId).then(function(deletionId) { - c.assertNotNull(deletionId, "Entity was moved to trash"); - var update = new dtos.DataSetTypeUpdate(); - update.setTypeId(typeId); - update.setDisallowDeletion(true); - return facade.updateDataSetTypes([update]).then(function() { - c.ok("Data set type updated") - var operation = new dtos.ConfirmDeletionsOperation([ deletionId ]); - operation.setForceDeletion(true); - var options = new dtos.SynchronousOperationExecutionOptions(); - return facade.executeOperations([ operation ], options).then(function() { - c.finish(); - }); - }); - }); - }); - }); - }).fail(function(error) { - c.fail("Confirmation of deletion should not fail with the force flag"); - c.finish(); - }); - }); - - QUnit.test("deleteMaterials()", function(assert) { - var c = new common(assert, dtos); - testDeleteWithoutTrash(c, c.createMaterial, c.findMaterial, c.deleteMaterial); - }); - - QUnit.test("deletePlugins()", function(assert) { - var c = new common(assert, dtos); - testDeleteWithoutTrash(c, c.createPlugin, c.findPlugin, c.deletePlugin); - }); - - QUnit.test("deletePropertyTypes()", function(assert) { - var c = new common(assert, dtos); - testDeleteWithoutTrash(c, c.createPropertyType, c.findPropertyType, c.deletePropertyType); - }); - - QUnit.test("deleteVocabularies()", function(assert) { - var c = new common(assert, dtos); - testDeleteWithoutTrash(c, c.createVocabulary, c.findVocabulary, c.deleteVocabulary); - }); - - QUnit.test("deleteVocabularyTerms()", function(assert) { - var c = new common(assert, dtos); - testDeleteWithoutTrash(c, c.createVocabularyTerm, c.findVocabularyTerm, c.deleteVocabularyTerm); - }); - - QUnit.test("deleteExperimentTypes()", function(assert) { - var c = new common(assert, dtos); - testDeleteWithoutTrash(c, c.createExperimentType, c.findExperimentType, c.deleteExperimentType); - }); - - QUnit.test("deleteSampleTypes()", function(assert) { - var c = new common(assert, dtos); - testDeleteWithoutTrash(c, c.createSampleType, c.findSampleType, c.deleteSampleType); - }); - - QUnit.test("deleteDataSetTypes()", function(assert) { - var c = new common(assert, dtos); - testDeleteWithoutTrash(c, c.createDataSetType, c.findDataSetType, c.deleteDataSetType); - }); - - QUnit.test("deleteMaterialTypes()", function(assert) { - var c = new common(assert, dtos); - testDeleteWithoutTrash(c, c.createMaterialType, c.findMaterialType, c.deleteMaterialType); - }); - - QUnit.test("deleteExternalDms()", function(assert) { - var c = new common(assert, dtos); - testDeleteWithoutTrash(c, c.createExternalDms, c.findExternalDms, c.deleteExternalDms); - }); - - QUnit.test("replaceVocabularyTerms()", function(assert) { - var c = new common(assert, dtos); - testDeleteWithoutTrash(c, c.createVocabularyTerm, c.findVocabularyTerm, c.replaceVocabularyTerm); - }); - - QUnit.test("deleteTags()", function(assert) { - var c = new common(assert, dtos); - testDeleteWithoutTrash(c, c.createTag, c.findTag, c.deleteTag); - }); - - QUnit.test("deleteAuthorizationGroups()", function(assert) { - var c = new common(assert, dtos); - testDeleteWithoutTrash(c, c.createAuthorizationGroup, c.findAuthorizationGroup, c.deleteAuthorizationGroup); - }); - - QUnit.test("deleteRoleAssignments()", function(assert) { - var c = new common(assert, dtos); - testDeleteWithoutTrash(c, c.createRoleAssignment, c.findRoleAssignment, c.deleteRoleAssignment); - }); - - QUnit.test("deleteOperationExecutions()", function(assert) { - var c = new common(assert, dtos); - - var findNotDeletedOrDeletePending = function(facade, permId) { - return c.findOperationExecution(facade, permId).then(function(execution) { - if (!execution || execution.getAvailability() == "DELETE_PENDING" || execution.getAvailability() == "DELETED") { - return null; - } else { - return execution; - } - }); - } - - testDeleteWithoutTrash(c, c.createOperationExecution, findNotDeletedOrDeletePending, c.deleteOperationExecution); - }); - - QUnit.test("deleteSemanticAnnotations()", function(assert) { - var c = new common(assert, dtos); - testDeleteWithoutTrash(c, c.createSemanticAnnotation, c.findSemanticAnnotation, c.deleteSemanticAnnotation); - }); - - QUnit.test("deleteQueries()", function(assert) { - var c = new common(assert, dtos); - testDeleteWithoutTrash(c, c.createQuery, c.findQuery, c.deleteQuery); - }); - - QUnit.test("deletePersons()", function(assert) { - var c = new common(assert, dtos); - testDeleteWithoutTrash(c, c.createPerson, c.findPerson, c.deletePerson); - }); - - QUnit.test("deletePersonalAccessTokens()", function(assert) { - var c = new common(assert, dtos); - testDeleteWithoutTrash(c, c.createPersonalAccessToken, c.findPersonalAccessToken, c.deletePersonalAccessToken); - }); - } - - return function() { - executeModule("Deletion tests (RequireJS)", new openbis(), dtos); - executeModule("Deletion tests (RequireJS - executeOperations)", new openbisExecuteOperations(new openbis(), dtos), dtos); - executeModule("Deletion tests (module VAR)", new window.openbis.openbis(), window.openbis); - executeModule("Deletion tests (module VAR - executeOperations)", new openbisExecuteOperations(new window.openbis.openbis(), window.openbis), window.openbis); - executeModule("Deletion tests (module ESM)", new window.openbisESM.openbis(), window.openbisESM); - executeModule("Deletion tests (module ESM - executeOperations)", new openbisExecuteOperations(new window.openbisESM.openbis(), window.openbisESM), window.openbisESM); - } -}); diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-delete.ts b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-delete.ts new file mode 100644 index 0000000000000000000000000000000000000000..650a0e56abb7621afebd93f56fa349585e7e5c88 --- /dev/null +++ b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-delete.ts @@ -0,0 +1,484 @@ +import jquery from "./types/jquery" +import underscore from "./types/underscore" +import common from "./types/common" +import openbis from "./types/openbis.esm" + +exports.default = new Promise((resolve) => { + require(["jquery", "underscore", "openbis", "test/common", "test/openbis-execute-operations", "test/dtos"], function ( + $: jquery.JQueryStatic, + _: underscore.UnderscoreStatic, + openbisRequireJS, + common: common.CommonConstructor, + openbisExecuteOperations, + dtos + ) { + var executeModule = function (moduleName: string, facade: openbis.openbis, dtos: openbis.bundle) { + QUnit.module(moduleName) + + var testDeleteWithoutTrash = function (c: common.CommonClass, fCreate, fFind, fDelete) { + c.start() + + c.login(facade) + .then(function () { + return fCreate(facade).then(function (permId) { + c.assertNotNull(permId, "Entity was created") + return fFind(facade, permId).then(function (entity) { + c.assertNotNull(entity, "Entity can be found") + return facade + .searchDeletions(new dtos.DeletionSearchCriteria(), new dtos.DeletionFetchOptions()) + .then(function (beforeDeletions) { + c.ok("Got before deletions") + return fDelete(facade, permId).then(function () { + c.ok("Entity was deleted") + return facade + .searchDeletions(new dtos.DeletionSearchCriteria(), new dtos.DeletionFetchOptions()) + .then(function (afterDeletions) { + c.ok("Got after deletions") + c.assertEqual( + beforeDeletions.getObjects().length, + afterDeletions.getObjects().length, + "No new deletions found" + ) + return fFind(facade, permId).then(function (entityAfterDeletion) { + c.assertNull(entityAfterDeletion, "Entity was deleted") + c.finish() + }) + }) + }) + }) + }) + }) + }) + .fail(function (error) { + c.fail(error.message) + c.finish() + }) + } + + var testDeleteWithTrashAndRevert = function (c: common.CommonClass, fCreate, fFind, fDelete) { + c.start() + + c.login(facade) + .then(function () { + return fCreate(facade).then(function (permIdAndMore) { + var permId = null + if (permIdAndMore.identifier) { + permId = permIdAndMore.permId + } else { + permId = permIdAndMore + } + c.assertNotNull(permId, "Entity was created") + return fFind(facade, permId).then(function (entity) { + c.assertNotNull(entity, "Entity can be found") + return facade + .searchDeletions(new dtos.DeletionSearchCriteria(), new dtos.DeletionFetchOptions()) + .then(function (beforeDeletions) { + c.ok("Got before deletions") + return fDelete(facade, permId).then(function (deletionId) { + c.ok("Entity was deleted") + c.assertNotEqual(deletionId.getTechId(), "", "Deletion tech id not an empty string") + var fo = new dtos.DeletionFetchOptions() + fo.withDeletedObjects() + return facade.searchDeletions(new dtos.DeletionSearchCriteria(), fo).then(function (afterDeletions) { + var objects = afterDeletions.getObjects() + c.ok("Got after deletions") + c.assertEqual(objects.length, beforeDeletions.getObjects().length + 1, "One new deletion") + var newDeletion = objects[afterDeletions.getObjects().length - 1] + if (permIdAndMore.identifier) { + var deletedObject = newDeletion.getDeletedObjects()[0] + c.assertEqual(deletedObject.getIdentifier(), permIdAndMore.identifier, "Entity identifier match") + c.assertEqual( + deletedObject.getEntityTypeCode(), + permIdAndMore.entityTypeCode, + "Entity type match" + ) + c.assertEqual(deletedObject.getEntityKind(), permIdAndMore.entityKind, "Entity kind match") + } + c.assertEqual( + (<openbis.DeletionTechId>newDeletion.getId()).getTechId(), + deletionId.getTechId(), + "Deletion ids match" + ) + return fFind(facade, permId).then(function (entityAfterDeletion) { + c.assertNull(entityAfterDeletion, "Entity was deleted") + return facade.revertDeletions([deletionId]).then(function () { + c.ok("Reverted deletion") + return fFind(facade, permId).then(function (entityAfterRevert) { + c.assertNotNull(entityAfterRevert, "Entity is back") + c.finish() + }) + }) + }) + }) + }) + }) + }) + }) + }) + .fail(function (error) { + c.fail(error.message) + c.finish() + }) + } + + var testDeleteWithTrashAndConfirm = function (c: common.CommonClass, fCreate, fFind, fDelete) { + c.start() + + c.login(facade) + .then(function () { + return fCreate(facade).then(function (permId) { + c.assertNotNull(permId, "Entity was created") + return fFind(facade, permId).then(function (entity) { + c.assertNotNull(entity, "Entity can be found") + return facade + .searchDeletions(new dtos.DeletionSearchCriteria(), new dtos.DeletionFetchOptions()) + .then(function (deletionsBeforeDeletion) { + c.ok("Got before deletions") + return fDelete(facade, permId).then(function (deletionId) { + c.ok("Entity was deleted") + return facade + .searchDeletions(new dtos.DeletionSearchCriteria(), new dtos.DeletionFetchOptions()) + .then(function (deletionsAfterDeletion) { + c.ok("Got after deletions") + c.assertEqual( + deletionsAfterDeletion.getObjects().length, + deletionsBeforeDeletion.getObjects().length + 1, + "One new deletion" + ) + c.assertEqual( + (<openbis.DeletionTechId>( + deletionsAfterDeletion + .getObjects() + [deletionsAfterDeletion.getObjects().length - 1].getId() + )).getTechId(), + deletionId.getTechId(), + "Deletion ids match" + ) + return fFind(facade, permId).then(function (entityAfterDeletion) { + c.assertNull(entityAfterDeletion, "Entity was deleted") + return facade.confirmDeletions([deletionId]).then(function () { + c.ok("Confirmed deletion") + return fFind(facade, permId).then(function (entityAfterConfirm) { + c.assertNull(entityAfterConfirm, "Entity is still gone") + return facade + .searchDeletions( + new dtos.DeletionSearchCriteria(), + new dtos.DeletionFetchOptions() + ) + .then(function (deletionsAfterConfirm) { + c.assertEqual( + deletionsAfterConfirm.getObjects().length, + deletionsBeforeDeletion.getObjects().length, + "New deletion is also gone" + ) + c.finish() + }) + }) + }) + }) + }) + }) + }) + }) + }) + }) + .fail(function (error) { + c.fail(error.message) + c.finish() + }) + } + + QUnit.test("deleteSpaces()", function (assert) { + var c = new common(assert, dtos) + testDeleteWithoutTrash(c, c.createSpace, c.findSpace, c.deleteSpace) + }) + + QUnit.test("deleteProjects()", function (assert) { + var c = new common(assert, dtos) + testDeleteWithoutTrash(c, c.createProject, c.findProject, c.deleteProject) + }) + + QUnit.test("deleteExperiments() with revert", function (assert) { + var c = new common(assert, dtos) + testDeleteWithTrashAndRevert( + c, + function (facade: openbis.openbis) { + return c.createExperiment(facade).then(function (permId) { + var fo = new dtos.ExperimentFetchOptions() + fo.withType() + return facade.getExperiments([permId], fo).then(function (map) { + var experiment = map[permId.toString()] + return { + permId: permId, + identifier: experiment.getIdentifier(), + entityTypeCode: experiment.getType().getCode(), + entityKind: dtos.EntityKind.EXPERIMENT, + } + }) + }) + }, + c.findExperiment, + c.deleteExperiment + ) + }) + + QUnit.test("deleteExperiments() with confirm", function (assert) { + var c = new common(assert, dtos) + testDeleteWithTrashAndConfirm(c, c.createExperiment, c.findExperiment, c.deleteExperiment) + }) + + QUnit.test("deleteSamples() with revert", function (assert) { + var c = new common(assert, dtos) + testDeleteWithTrashAndRevert( + c, + function (facade: openbis.openbis) { + return c.createSample(facade).then(function (permId) { + var fo = new dtos.SampleFetchOptions() + fo.withType() + return facade.getSamples([permId], fo).then(function (map) { + var sample = map[permId.toString()] + return { + permId: permId, + identifier: sample.getIdentifier(), + entityTypeCode: sample.getType().getCode(), + entityKind: dtos.EntityKind.SAMPLE, + } + }) + }) + }, + c.findSample, + c.deleteSample + ) + }) + + QUnit.test("deleteSamples() with confirm", function (assert) { + var c = new common(assert, dtos) + testDeleteWithTrashAndConfirm(c, c.createSample, c.findSample, c.deleteSample) + }) + + QUnit.test("deleteDataSets() with revert", function (assert) { + var c = new common(assert, dtos) + testDeleteWithTrashAndRevert( + c, + function (facade: openbis.openbis) { + return c.createDataSet(facade, "ALIGNMENT").then(function (permId) { + var fo = new dtos.DataSetFetchOptions() + fo.withType() + return facade.getDataSets([permId], fo).then(function (map) { + var dataSet = map[permId.toString()] + return { + permId: permId, + identifier: dataSet.getCode(), + entityTypeCode: dataSet.getType().getCode(), + entityKind: dtos.EntityKind.DATA_SET, + } + }) + }) + }, + c.findDataSet, + c.deleteDataSet + ) + }) + + QUnit.test("deleteDataSets() with confirm", function (assert) { + var c = new common(assert, dtos) + testDeleteWithTrashAndConfirm(c, c.createDataSet, c.findDataSet, c.deleteDataSet) + }) + + QUnit.test("deleteDataSets() with disallowed type without force flag", function (assert) { + var c = new common(assert, dtos) + + c.start() + + c.login(facade) + .then(function () { + return c.createDataSetType(facade).then(function (typeId) { + c.assertNotNull(typeId, "Data set type created") + return c.createDataSet(facade, typeId.getPermId()).then(function (permId) { + c.assertNotNull(permId, "Entity was created") + return c.deleteDataSet(facade, permId).then(function (deletionId) { + c.assertNotNull(deletionId, "Entity was moved to trash") + var update = new dtos.DataSetTypeUpdate() + update.setTypeId(typeId) + update.setDisallowDeletion(true) + return facade.updateDataSetTypes([update]).then(function () { + c.ok("Data set type updated") + return facade.confirmDeletions([deletionId]).then(function () { + c.fail("Confirmation of deletion should fail without the force flag") + c.finish() + }) + }) + }) + }) + }) + }) + .fail(function (error) { + c.assertContains( + error.message, + "Deletion failed because the following data sets have 'Disallow deletion' flag set to true in their type", + "Expected error message" + ) + c.finish() + }) + }) + + QUnit.test("deleteDataSets() with disallowed type with force flag", function (assert) { + var c = new common(assert, dtos) + + c.start() + + c.login(facade) + .then(function () { + return c.createDataSetType(facade).then(function (typeId) { + c.assertNotNull(typeId, "Data set type created") + return c.createDataSet(facade, typeId.getPermId()).then(function (permId) { + c.assertNotNull(permId, "Entity was created") + return c.deleteDataSet(facade, permId).then(function (deletionId) { + c.assertNotNull(deletionId, "Entity was moved to trash") + var update = new dtos.DataSetTypeUpdate() + update.setTypeId(typeId) + update.setDisallowDeletion(true) + return facade.updateDataSetTypes([update]).then(function () { + c.ok("Data set type updated") + var operation = new dtos.ConfirmDeletionsOperation([deletionId]) + operation.setForceDeletion(true) + var options = new dtos.SynchronousOperationExecutionOptions() + return facade.executeOperations([operation], options).then(function () { + c.finish() + }) + }) + }) + }) + }) + }) + .fail(function (error) { + c.fail("Confirmation of deletion should not fail with the force flag") + c.finish() + }) + }) + + QUnit.test("deleteMaterials()", function (assert) { + var c = new common(assert, dtos) + testDeleteWithoutTrash(c, c.createMaterial, c.findMaterial, c.deleteMaterial) + }) + + QUnit.test("deletePlugins()", function (assert) { + var c = new common(assert, dtos) + testDeleteWithoutTrash(c, c.createPlugin, c.findPlugin, c.deletePlugin) + }) + + QUnit.test("deletePropertyTypes()", function (assert) { + var c = new common(assert, dtos) + testDeleteWithoutTrash(c, c.createPropertyType, c.findPropertyType, c.deletePropertyType) + }) + + QUnit.test("deleteVocabularies()", function (assert) { + var c = new common(assert, dtos) + testDeleteWithoutTrash(c, c.createVocabulary, c.findVocabulary, c.deleteVocabulary) + }) + + QUnit.test("deleteVocabularyTerms()", function (assert) { + var c = new common(assert, dtos) + testDeleteWithoutTrash(c, c.createVocabularyTerm, c.findVocabularyTerm, c.deleteVocabularyTerm) + }) + + QUnit.test("deleteExperimentTypes()", function (assert) { + var c = new common(assert, dtos) + testDeleteWithoutTrash(c, c.createExperimentType, c.findExperimentType, c.deleteExperimentType) + }) + + QUnit.test("deleteSampleTypes()", function (assert) { + var c = new common(assert, dtos) + testDeleteWithoutTrash(c, c.createSampleType, c.findSampleType, c.deleteSampleType) + }) + + QUnit.test("deleteDataSetTypes()", function (assert) { + var c = new common(assert, dtos) + testDeleteWithoutTrash(c, c.createDataSetType, c.findDataSetType, c.deleteDataSetType) + }) + + QUnit.test("deleteMaterialTypes()", function (assert) { + var c = new common(assert, dtos) + testDeleteWithoutTrash(c, c.createMaterialType, c.findMaterialType, c.deleteMaterialType) + }) + + QUnit.test("deleteExternalDms()", function (assert) { + var c = new common(assert, dtos) + testDeleteWithoutTrash(c, c.createExternalDms, c.findExternalDms, c.deleteExternalDms) + }) + + QUnit.test("replaceVocabularyTerms()", function (assert) { + var c = new common(assert, dtos) + testDeleteWithoutTrash(c, c.createVocabularyTerm, c.findVocabularyTerm, c.replaceVocabularyTerm) + }) + + QUnit.test("deleteTags()", function (assert) { + var c = new common(assert, dtos) + testDeleteWithoutTrash(c, c.createTag, c.findTag, c.deleteTag) + }) + + QUnit.test("deleteAuthorizationGroups()", function (assert) { + var c = new common(assert, dtos) + testDeleteWithoutTrash(c, c.createAuthorizationGroup, c.findAuthorizationGroup, c.deleteAuthorizationGroup) + }) + + QUnit.test("deleteRoleAssignments()", function (assert) { + var c = new common(assert, dtos) + testDeleteWithoutTrash(c, c.createRoleAssignment, c.findRoleAssignment, c.deleteRoleAssignment) + }) + + QUnit.test("deleteOperationExecutions()", function (assert) { + var c = new common(assert, dtos) + + var findNotDeletedOrDeletePending = function (facade: openbis.openbis, permId) { + return c.findOperationExecution(facade, permId).then(function (execution) { + if (!execution || execution.getAvailability() == "DELETE_PENDING" || execution.getAvailability() == "DELETED") { + return null + } else { + return execution + } + }) + } + + testDeleteWithoutTrash(c, c.createOperationExecution, findNotDeletedOrDeletePending, c.deleteOperationExecution) + }) + + QUnit.test("deleteSemanticAnnotations()", function (assert) { + var c = new common(assert, dtos) + testDeleteWithoutTrash(c, c.createSemanticAnnotation, c.findSemanticAnnotation, c.deleteSemanticAnnotation) + }) + + QUnit.test("deleteQueries()", function (assert) { + var c = new common(assert, dtos) + testDeleteWithoutTrash(c, c.createQuery, c.findQuery, c.deleteQuery) + }) + + QUnit.test("deletePersons()", function (assert) { + var c = new common(assert, dtos) + testDeleteWithoutTrash(c, c.createPerson, c.findPerson, c.deletePerson) + }) + + QUnit.test("deletePersonalAccessTokens()", function (assert) { + var c = new common(assert, dtos) + testDeleteWithoutTrash(c, c.createPersonalAccessToken, c.findPersonalAccessToken, c.deletePersonalAccessToken) + }) + } + + resolve(function () { + executeModule("Deletion tests (RequireJS)", new openbisRequireJS(), dtos) + executeModule("Deletion tests (RequireJS - executeOperations)", new openbisExecuteOperations(new openbisRequireJS(), dtos), dtos) + executeModule("Deletion tests (module VAR)", new window.openbis.openbis(), window.openbis) + executeModule( + "Deletion tests (module VAR - executeOperations)", + new openbisExecuteOperations(new window.openbis.openbis(), window.openbis), + window.openbis + ) + executeModule("Deletion tests (module ESM)", new window.openbisESM.openbis(), window.openbisESM) + executeModule( + "Deletion tests (module ESM - executeOperations)", + new openbisExecuteOperations(new window.openbisESM.openbis(), window.openbisESM), + window.openbisESM + ) + }) + }) +}) diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-dss-services.js b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-dss-services.js deleted file mode 100644 index 8fe9957a3c2eeea9c69abcb4637e241f629539d8..0000000000000000000000000000000000000000 --- a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-dss-services.js +++ /dev/null @@ -1,287 +0,0 @@ -/** - * Test searching and executing DSS services. - */ -define([ 'jquery', 'underscore', 'openbis', 'test/openbis-execute-operations', 'test/common', 'test/dtos' ], function($, _, openbis, openbisExecuteOperations, common, dtos) { - var executeModule = function(moduleName, facade, dtos) { - QUnit.module(moduleName); - - var testAction = function(c, fAction, fCheck) { - c.start(); - - c.login(facade).then(function() { - c.ok("Login"); - return fAction(facade).then(function(result) { - c.ok("Got results"); - var token = fCheck(facade, result); - if (token) { - token.then(function() { - c.finish() - }); - } else { - c.finish(); - } - }); - }).fail(function(error) { - c.fail(error.message); - c.finish(); - }); - } - - var testActionWhichShouldFail = function(c, fAction, errorMessage) { - c.start(); - - c.login(facade).then(function() { - c.ok("Login"); - return fAction(facade).then(function(result) { - c.fail("Action supposed to fail"); - c.finish(); - }); - }).fail(function(error) { - c.ok("Action failed as expected"); - c.assertEqual(error.message, errorMessage, "Error message"); - c.finish(); - }); - } - - QUnit.test("searchSearchDomainService()", function(assert) { - var c = new common(assert, dtos); - - var fAction = function(facade) { - var criteria = new dtos.SearchDomainServiceSearchCriteria(); - var fetchOptions = new dtos.SearchDomainServiceFetchOptions(); - return facade.searchSearchDomainServices(criteria, fetchOptions); - } - - var fCheck = function(facade, result) { - c.assertEqual(result.getTotalCount(), 4, "Number of results"); - c.assertEqual(result.getObjects().length, 4, "Number of results"); - var objects = result.getObjects(); - objects.sort(function(o1, o2) { return o1.getPermId().toString().localeCompare(o2.getPermId().toString())}); - c.assertEqual(objects[1].getPermId().toString(), "DSS1:echo-database", "Perm id"); - c.assertEqual(objects[1].getName(), "echo-database", "Name"); - c.assertEqual(objects[1].getLabel(), "Echo database", "Label"); - c.assertEqual(objects[1].getPossibleSearchOptionsKey(), "optionsKey", "Possible searcg option keys"); - c.assertEqual(objects[1].getPossibleSearchOptions().toString(), "Alpha [alpha],beta [beta]", "Possible search options"); - } - - testAction(c, fAction, fCheck); - }); - - QUnit.test("executeSearchDomainService()", function(assert) { - var c = new common(assert, dtos); - - var fAction = function(facade) { - var options = new dtos.SearchDomainServiceExecutionOptions(); - options.withPreferredSearchDomain("echo-database"); - options.withSearchString("key").withParameter("key", - JSON.stringify({ - "searchDomain" : "Echo database", - "dataSetCode" : "20130415093804724-403", - "pathInDataSet" : "PATH-2", - "sequenceIdentifier" : "ID-2", - "positionInSequence" : "2" - })); - return facade.executeSearchDomainService(options); - } - - var fCheck = function(facade, result) { - c.assertEqual(result.getTotalCount(), 2, "Number of results"); - c.assertEqual(result.getObjects().length, 2, "Number of results"); - var objects = result.getObjects(); - objects.sort(function(o1, o2) { return o1.getServicePermId().toString().localeCompare(o2.getServicePermId().toString())}); - c.assertEqual(objects[0].getServicePermId().toString(), "DSS1:echo-database", "Service perm id"); - c.assertEqual(objects[0].getSearchDomainName(), "echo-database", "Search domain name"); - c.assertEqual(objects[0].getSearchDomainLabel(), "Echo database", "Search domain label"); - c.assertEqual(objects[0].getEntityIdentifier(), "20130415093804724-403", "Entity identifier"); - c.assertEqual(objects[0].getEntityKind(), "DATA_SET", "Entity kind"); - c.assertEqual(objects[0].getEntityType(), "UNKNOWN", "Entity type"); - c.assertEqual(objects[0].getEntityPermId(), "20130415093804724-403", "Entity perm id"); - c.assertEqual(JSON.stringify(objects[0].getResultDetails()), JSON.stringify({"identifier": "ID-2", - "path_in_data_set": "PATH-2", "position": "2"}), "Result details"); - } - - testAction(c, fAction, fCheck); - }); - - QUnit.test("searchAggregationService()", function(assert) { - var c = new common(assert, dtos); - - var fAction = function(facade) { - var criteria = new dtos.AggregationServiceSearchCriteria(); - var id = new dtos.DssServicePermId("js-test", new dtos.DataStorePermId("DSS1")); - criteria.withId().thatEquals(id); - var fetchOptions = new dtos.AggregationServiceFetchOptions(); - return facade.searchAggregationServices(criteria, fetchOptions); - } - - var fCheck = function(facade, result) { - c.assertEqual(result.getTotalCount(), 1, "Number of results"); - c.assertEqual(result.getObjects().length, 1, "Number of results"); - var objects = result.getObjects(); - c.assertEqual(objects[0].getPermId().toString(), "DSS1:js-test", "Perm id"); - c.assertEqual(objects[0].getName(), "js-test", "Name"); - c.assertEqual(objects[0].getLabel(), "js-test", "Label"); - } - - testAction(c, fAction, fCheck); - }); - - QUnit.test("executeAggregationService()", function(assert) { - var c = new common(assert, dtos); - - var fAction = function(facade) { - var id = new dtos.DssServicePermId("js-test", new dtos.DataStorePermId("DSS1")); - var options = new dtos.AggregationServiceExecutionOptions(); - options.withParameter("method", "test"); - options.withParameter("answer", 42).withParameter("pi", 3.1415926); - return facade.executeAggregationService(id, options); - } - - var fCheck = function(facade, tableModel) { - c.assertEqual(tableModel.getColumns().toString(), "key,value", "Table columns"); - c.assertEqual(tableModel.getRows().toString(), "method,test,answer,42,pi,3.1415926", "Table rows"); - } - - testAction(c, fAction, fCheck); - }); - - QUnit.test("executeAggregationService() with data store code is null", function(assert) { - var c = new common(assert, dtos); - - var fAction = function(facade) { - var id = new dtos.DssServicePermId("js-test", new dtos.DataStorePermId(null)); - var options = new dtos.AggregationServiceExecutionOptions(); - return facade.executeAggregationService(id, options); - } - - testActionWhichShouldFail(c, fAction, "Data store code cannot be empty. (Context: [])"); - }); - - QUnit.test("executeAggregationService() with data store id is null", function(assert) { - var c = new common(assert, dtos); - - var fAction = function(facade) { - var id = new dtos.DssServicePermId("js-test", null); - var options = new dtos.AggregationServiceExecutionOptions(); - return facade.executeAggregationService(id, options); - } - - testActionWhichShouldFail(c, fAction, "Data store id cannot be null. (Context: [])"); - }); - - QUnit.test("executeAggregationService() with key is null", function(assert) { - var c = new common(assert, dtos); - - var fAction = function(facade) { - var id = new dtos.DssServicePermId(null, new dtos.DataStorePermId("DSS1")); - var options = new dtos.AggregationServiceExecutionOptions(); - return facade.executeAggregationService(id, options); - } - - testActionWhichShouldFail(c, fAction, "Service key cannot be empty. (Context: [])"); - }); - - QUnit.test("searchReportingService()", function(assert) { - var c = new common(assert, dtos); - - var fAction = function(facade) { - var criteria = new dtos.ReportingServiceSearchCriteria(); - var id = new dtos.DssServicePermId("test-reporting-service", new dtos.DataStorePermId("DSS1")); - criteria.withId().thatEquals(id); - var fetchOptions = new dtos.ReportingServiceFetchOptions(); - return facade.searchReportingServices(criteria, fetchOptions); - } - - var fCheck = function(facade, result) { - c.assertEqual(result.getTotalCount(), 1, "Number of results"); - c.assertEqual(result.getObjects().length, 1, "Number of results"); - var objects = result.getObjects(); - c.assertEqual(objects[0].getPermId().toString(), "DSS1:test-reporting-service", "Perm id"); - c.assertEqual(objects[0].getName(), "test-reporting-service", "Name"); - c.assertEqual(objects[0].getLabel(), "Test Jython Reporting", "Label"); - } - - testAction(c, fAction, fCheck); - }); - - QUnit.test("executeReportingService()", function(assert) { - var c = new common(assert, dtos); - var dataSetCode; - - var fAction = function(facade) { - return $.when(c.createDataSet(facade)).then(function(permId) { - dataSetCode = permId.getPermId(); - var serviceId = new dtos.DssServicePermId("test-reporting-service", new dtos.DataStorePermId("DSS1")); - var options = new dtos.ReportingServiceExecutionOptions(); - options.withDataSets(dataSetCode); - return facade.executeReportingService(serviceId, options); - }); - } - - var fCheck = function(facade, tableModel) { - c.assertEqual(tableModel.getColumns().toString(), "Data Set,Data Set Type", "Table columns"); - c.assertEqual(tableModel.getRows().toString(), dataSetCode + ",ALIGNMENT", "Table rows"); - } - - testAction(c, fAction, fCheck); - }); - - QUnit.test("searchProcessingService()", function(assert) { - var c = new common(assert, dtos); - - var fAction = function(facade) { - var criteria = new dtos.ProcessingServiceSearchCriteria(); - var id = new dtos.DssServicePermId("test-processing-service", new dtos.DataStorePermId("DSS1")); - criteria.withId().thatEquals(id); - var fetchOptions = new dtos.ProcessingServiceFetchOptions(); - return facade.searchProcessingServices(criteria, fetchOptions); - } - - var fCheck = function(facade, result) { - c.assertEqual(result.getTotalCount(), 1, "Number of results"); - c.assertEqual(result.getObjects().length, 1, "Number of results"); - var objects = result.getObjects(); - c.assertEqual(objects[0].getPermId().toString(), "DSS1:test-processing-service", "Perm id"); - c.assertEqual(objects[0].getName(), "test-processing-service", "Name"); - c.assertEqual(objects[0].getLabel(), "Test Jython Processing", "Label"); - } - - testAction(c, fAction, fCheck); - }); - - QUnit.test("executeProcessingService()", function(assert) { - var c = new common(assert, dtos); - var dataSetCode; - - var fAction = function(facade) { - return $.when(c.createDataSet(facade)).then(function(permId) { - dataSetCode = permId.getPermId(); - var serviceId = new dtos.DssServicePermId("test-processing-service", new dtos.DataStorePermId("DSS1")); - var options = new dtos.ProcessingServiceExecutionOptions(); - options.withDataSets([dataSetCode]); - return facade.executeProcessingService(serviceId, options); - }); - } - - var fCheck = function(facade) { - return $.when(c.waitUntilEmailWith(facade, dataSetCode, 10000).then(function(emails) { - c.assertEqual(emails[0][0].value, "franz-josef.elmer@systemsx.ch", "Email To"); - c.assertEqual(emails[0][1].value, "'Test Jython Processing' [test-processing-service] processing\n finished", "Email Subject"); - c.assertContains(emails[0][2].value, dataSetCode, "Email Content with data set " + dataSetCode); - })); - } - - testAction(c, fAction, fCheck); - }); - - } - - return function() { - executeModule("DSS service tests (RequireJS)", new openbis(), dtos); - executeModule("DSS service tests (RequireJS - executeOperations)", new openbisExecuteOperations(new openbis(), dtos), dtos); - executeModule("DSS service tests (module VAR)", new window.openbis.openbis(), window.openbis); - executeModule("DSS service tests (module VAR - executeOperations)", new openbisExecuteOperations(new window.openbis.openbis(), window.openbis), window.openbis); - executeModule("DSS service tests (module ESM)", new window.openbisESM.openbis(), window.openbisESM); - executeModule("DSS service tests (module ESM - executeOperations)", new openbisExecuteOperations(new window.openbisESM.openbis(), window.openbisESM), window.openbisESM); - } -}) \ No newline at end of file diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-dss-services.ts b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-dss-services.ts new file mode 100644 index 0000000000000000000000000000000000000000..8e53340fb9c9fca1fa42843b4c27315eec98f587 --- /dev/null +++ b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-dss-services.ts @@ -0,0 +1,327 @@ +/** + * Test searching and executing DSS services. + */ +import jquery from "./types/jquery" +import underscore from "./types/underscore" +import common from "./types/common" +import openbis from "./types/openbis.esm" + +exports.default = new Promise((resolve) => { + require(["jquery", "underscore", "openbis", "test/common", "test/openbis-execute-operations", "test/dtos"], function ( + $: jquery.JQueryStatic, + _: underscore.UnderscoreStatic, + openbisRequireJS, + common: common.CommonConstructor, + openbisExecuteOperations, + dtos + ) { + var executeModule = function (moduleName: string, facade: openbis.openbis, dtos: openbis.bundle) { + QUnit.module(moduleName) + + var testAction = function (c: common.CommonClass, fAction, fCheck) { + c.start() + + c.login(facade) + .then(function () { + c.ok("Login") + return fAction(facade).then(function (result) { + c.ok("Got results") + var token = fCheck(facade, result) + if (token) { + token.then(function () { + c.finish() + }) + } else { + c.finish() + } + }) + }) + .fail(function (error) { + c.fail(error.message) + c.finish() + }) + } + + var testActionWhichShouldFail = function (c: common.CommonClass, fAction, errorMessage) { + c.start() + + c.login(facade) + .then(function () { + c.ok("Login") + return fAction(facade).then(function (result) { + c.fail("Action supposed to fail") + c.finish() + }) + }) + .fail(function (error) { + c.ok("Action failed as expected") + c.assertEqual(error.message, errorMessage, "Error message") + c.finish() + }) + } + + QUnit.test("searchSearchDomainService()", function (assert) { + var c = new common(assert, dtos) + + var fAction = function (facade: openbis.openbis) { + var criteria = new dtos.SearchDomainServiceSearchCriteria() + var fetchOptions = new dtos.SearchDomainServiceFetchOptions() + return facade.searchSearchDomainServices(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, result: openbis.SearchResult<openbis.SearchDomainService>) { + c.assertEqual(result.getTotalCount(), 4, "Number of results") + c.assertEqual(result.getObjects().length, 4, "Number of results") + var objects = result.getObjects() + objects.sort(function (o1, o2) { + return o1.getPermId().toString().localeCompare(o2.getPermId().toString()) + }) + c.assertEqual(objects[1].getPermId().toString(), "DSS1:echo-database", "Perm id") + c.assertEqual(objects[1].getName(), "echo-database", "Name") + c.assertEqual(objects[1].getLabel(), "Echo database", "Label") + c.assertEqual(objects[1].getPossibleSearchOptionsKey(), "optionsKey", "Possible searcg option keys") + c.assertEqual(objects[1].getPossibleSearchOptions().toString(), "Alpha [alpha],beta [beta]", "Possible search options") + } + + testAction(c, fAction, fCheck) + }) + + QUnit.test("executeSearchDomainService()", function (assert) { + var c = new common(assert, dtos) + + var fAction = function (facade: openbis.openbis) { + var options = new dtos.SearchDomainServiceExecutionOptions() + options.withPreferredSearchDomain("echo-database") + options.withSearchString("key").withParameter( + "key", + JSON.stringify({ + searchDomain: "Echo database", + dataSetCode: "20130415093804724-403", + pathInDataSet: "PATH-2", + sequenceIdentifier: "ID-2", + positionInSequence: "2", + }) + ) + return facade.executeSearchDomainService(options) + } + + var fCheck = function (facade: openbis.openbis, result: openbis.SearchResult<openbis.SearchDomainServiceExecutionResult>) { + c.assertEqual(result.getTotalCount(), 2, "Number of results") + c.assertEqual(result.getObjects().length, 2, "Number of results") + var objects = result.getObjects() + objects.sort(function (o1, o2) { + return o1.getServicePermId().toString().localeCompare(o2.getServicePermId().toString()) + }) + c.assertEqual(objects[0].getServicePermId().toString(), "DSS1:echo-database", "Service perm id") + c.assertEqual(objects[0].getSearchDomainName(), "echo-database", "Search domain name") + c.assertEqual(objects[0].getSearchDomainLabel(), "Echo database", "Search domain label") + c.assertEqual(objects[0].getEntityIdentifier(), "20130415093804724-403", "Entity identifier") + c.assertEqual(objects[0].getEntityKind(), "DATA_SET", "Entity kind") + c.assertEqual(objects[0].getEntityType(), "UNKNOWN", "Entity type") + c.assertEqual(objects[0].getEntityPermId(), "20130415093804724-403", "Entity perm id") + c.assertEqual( + JSON.stringify(objects[0].getResultDetails()), + JSON.stringify({ identifier: "ID-2", path_in_data_set: "PATH-2", position: "2" }), + "Result details" + ) + } + + testAction(c, fAction, fCheck) + }) + + QUnit.test("searchAggregationService()", function (assert) { + var c = new common(assert, dtos) + + var fAction = function (facade: openbis.openbis) { + var criteria = new dtos.AggregationServiceSearchCriteria() + var id = new dtos.DssServicePermId("js-test", new dtos.DataStorePermId("DSS1")) + criteria.withId().thatEquals(id) + var fetchOptions = new dtos.AggregationServiceFetchOptions() + return facade.searchAggregationServices(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, result: openbis.SearchResult<openbis.AggregationService>) { + c.assertEqual(result.getTotalCount(), 1, "Number of results") + c.assertEqual(result.getObjects().length, 1, "Number of results") + var objects = result.getObjects() + c.assertEqual(objects[0].getPermId().toString(), "DSS1:js-test", "Perm id") + c.assertEqual(objects[0].getName(), "js-test", "Name") + c.assertEqual(objects[0].getLabel(), "js-test", "Label") + } + + testAction(c, fAction, fCheck) + }) + + QUnit.test("executeAggregationService()", function (assert) { + var c = new common(assert, dtos) + + var fAction = function (facade: openbis.openbis) { + var id = new dtos.DssServicePermId("js-test", new dtos.DataStorePermId("DSS1")) + var options = new dtos.AggregationServiceExecutionOptions() + options.withParameter("method", "test") + options.withParameter("answer", 42).withParameter("pi", 3.1415926) + return facade.executeAggregationService(id, options) + } + + var fCheck = function (facade: openbis.openbis, tableModel: openbis.TableModel) { + c.assertEqual(tableModel.getColumns().toString(), "key,value", "Table columns") + c.assertEqual(tableModel.getRows().toString(), "method,test,answer,42,pi,3.1415926", "Table rows") + } + + testAction(c, fAction, fCheck) + }) + + QUnit.test("executeAggregationService() with data store code is null", function (assert) { + var c = new common(assert, dtos) + + var fAction = function (facade: openbis.openbis) { + var id = new dtos.DssServicePermId("js-test", new dtos.DataStorePermId(null)) + var options = new dtos.AggregationServiceExecutionOptions() + return facade.executeAggregationService(id, options) + } + + testActionWhichShouldFail(c, fAction, "Data store code cannot be empty. (Context: [])") + }) + + QUnit.test("executeAggregationService() with data store id is null", function (assert) { + var c = new common(assert, dtos) + + var fAction = function (facade: openbis.openbis) { + var id = new dtos.DssServicePermId("js-test", null) + var options = new dtos.AggregationServiceExecutionOptions() + return facade.executeAggregationService(id, options) + } + + testActionWhichShouldFail(c, fAction, "Data store id cannot be null. (Context: [])") + }) + + QUnit.test("executeAggregationService() with key is null", function (assert) { + var c = new common(assert, dtos) + + var fAction = function (facade: openbis.openbis) { + var id = new dtos.DssServicePermId(null, new dtos.DataStorePermId("DSS1")) + var options = new dtos.AggregationServiceExecutionOptions() + return facade.executeAggregationService(id, options) + } + + testActionWhichShouldFail(c, fAction, "Service key cannot be empty. (Context: [])") + }) + + QUnit.test("searchReportingService()", function (assert) { + var c = new common(assert, dtos) + + var fAction = function (facade: openbis.openbis) { + var criteria = new dtos.ReportingServiceSearchCriteria() + var id = new dtos.DssServicePermId("test-reporting-service", new dtos.DataStorePermId("DSS1")) + criteria.withId().thatEquals(id) + var fetchOptions = new dtos.ReportingServiceFetchOptions() + return facade.searchReportingServices(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, result: openbis.SearchResult<openbis.ReportingService>) { + c.assertEqual(result.getTotalCount(), 1, "Number of results") + c.assertEqual(result.getObjects().length, 1, "Number of results") + var objects = result.getObjects() + c.assertEqual(objects[0].getPermId().toString(), "DSS1:test-reporting-service", "Perm id") + c.assertEqual(objects[0].getName(), "test-reporting-service", "Name") + c.assertEqual(objects[0].getLabel(), "Test Jython Reporting", "Label") + } + + testAction(c, fAction, fCheck) + }) + + QUnit.test("executeReportingService()", function (assert) { + var c = new common(assert, dtos) + var dataSetCode + + var fAction = function (facade: openbis.openbis) { + return c.createDataSet(facade, "ALIGNMENT").then(function (permId) { + dataSetCode = permId.getPermId() + var serviceId = new dtos.DssServicePermId("test-reporting-service", new dtos.DataStorePermId("DSS1")) + var options = new dtos.ReportingServiceExecutionOptions() + options.withDataSets(dataSetCode) + return facade.executeReportingService(serviceId, options) + }) + } + + var fCheck = function (facade: openbis.openbis, tableModel: openbis.TableModel) { + c.assertEqual(tableModel.getColumns().toString(), "Data Set,Data Set Type", "Table columns") + c.assertEqual(tableModel.getRows().toString(), dataSetCode + ",ALIGNMENT", "Table rows") + } + + testAction(c, fAction, fCheck) + }) + + QUnit.test("searchProcessingService()", function (assert) { + var c = new common(assert, dtos) + + var fAction = function (facade: openbis.openbis) { + var criteria = new dtos.ProcessingServiceSearchCriteria() + var id = new dtos.DssServicePermId("test-processing-service", new dtos.DataStorePermId("DSS1")) + criteria.withId().thatEquals(id) + var fetchOptions = new dtos.ProcessingServiceFetchOptions() + return facade.searchProcessingServices(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, result: openbis.SearchResult<openbis.ProcessingService>) { + c.assertEqual(result.getTotalCount(), 1, "Number of results") + c.assertEqual(result.getObjects().length, 1, "Number of results") + var objects = result.getObjects() + c.assertEqual(objects[0].getPermId().toString(), "DSS1:test-processing-service", "Perm id") + c.assertEqual(objects[0].getName(), "test-processing-service", "Name") + c.assertEqual(objects[0].getLabel(), "Test Jython Processing", "Label") + } + + testAction(c, fAction, fCheck) + }) + + QUnit.test("executeProcessingService()", function (assert) { + var c = new common(assert, dtos) + var dataSetCode + + var fAction = function (facade: openbis.openbis) { + return c.createDataSet(facade, "ALIGNMENT").then(function (permId) { + dataSetCode = permId.getPermId() + var serviceId = new dtos.DssServicePermId("test-processing-service", new dtos.DataStorePermId("DSS1")) + var options = new dtos.ProcessingServiceExecutionOptions() + options.withDataSets([dataSetCode]) + return facade.executeProcessingService(serviceId, options) + }) + } + + var fCheck = function (facade: openbis.openbis) { + return $.when( + c.waitUntilEmailWith(facade, dataSetCode, 10000).then(function (emails) { + c.assertEqual(emails[0][0].value, "franz-josef.elmer@systemsx.ch", "Email To") + c.assertEqual( + emails[0][1].value, + "'Test Jython Processing' [test-processing-service] processing\n finished", + "Email Subject" + ) + c.assertContains(emails[0][2].value, dataSetCode, "Email Content with data set " + dataSetCode) + }) + ) + } + + testAction(c, fAction, fCheck) + }) + } + + resolve(function () { + executeModule("DSS service tests (RequireJS)", new openbisRequireJS(), dtos) + executeModule("DSS service tests (RequireJS - executeOperations)", new openbisExecuteOperations(new openbisRequireJS(), dtos), dtos) + executeModule("DSS service tests (module VAR)", new window.openbis.openbis(), window.openbis) + executeModule( + "DSS service tests (module VAR - executeOperations)", + new openbisExecuteOperations(new window.openbis.openbis(), window.openbis), + window.openbis + ) + executeModule("DSS service tests (module ESM)", new window.openbisESM.openbis(), window.openbisESM) + executeModule( + "DSS service tests (module ESM - executeOperations)", + new openbisExecuteOperations(new window.openbisESM.openbis(), window.openbisESM), + window.openbisESM + ) + }) + }) +}) diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-evaluate.js b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-evaluate.js deleted file mode 100644 index b84e07c3c16110740975b7b9256f6964b46ae034..0000000000000000000000000000000000000000 --- a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-evaluate.js +++ /dev/null @@ -1,139 +0,0 @@ -define([ - "jquery", - "underscore", - "openbis", - "test/openbis-execute-operations", - "test/common", - "test/dtos" -], function ($, _, openbis, openbisExecuteOperations, common, dtos) { - var executeModule = function (moduleName, facade, dtos) { - QUnit.module(moduleName); - - var testDynamicPropertyPlugin = function (assert, databasePlugin) { - var c = new common(assert, dtos); - c.start(); - - c.login(facade) - .then(function () { - var creation = new dtos.PluginCreation(); - creation.setName(c.generateId("plugin")); - creation.setPluginType(dtos.PluginType.DYNAMIC_PROPERTY); - creation.setScript("def calculate():\n return 'testValue'"); - - return $.when( - facade.createPlugins([creation]), - c.createSample(facade) - ).then(function (pluginIds, sampleId) { - var options = new dtos.DynamicPropertyPluginEvaluationOptions(); - if (databasePlugin) { - options.setPluginId(pluginIds[0]); - } else { - options.setPluginScript(creation.getScript()); - } - options.setObjectId(sampleId); - - return facade.evaluatePlugin(options).then(function (result) { - c.assertEqual( - result.getValue(), - "testValue", - "Evaluation result value" - ); - c.finish(); - }); - }); - }) - .fail(function (error) { - c.fail(error.message); - c.finish(); - }); - }; - - var testEntityValidationPlugin = function (assert, databasePlugin) { - var c = new common(assert, dtos); - c.start(); - - c.login(facade) - .then(function () { - var creation = new dtos.PluginCreation(); - creation.setName(c.generateId("plugin")); - creation.setPluginType(dtos.PluginType.ENTITY_VALIDATION); - creation.setScript( - "def validate(entity, isNew):\n requestValidation(entity)\n if isNew:\n return 'testError'\n else:\n return None" - ); - - return $.when( - facade.createPlugins([creation]), - c.createSample(facade) - ).then(function (pluginIds, sampleId) { - var options = new dtos.EntityValidationPluginEvaluationOptions(); - if (databasePlugin) { - options.setPluginId(pluginIds[0]); - } else { - options.setPluginScript(creation.getScript()); - } - options.setNew(true); - options.setObjectId(sampleId); - - return $.when( - facade.evaluatePlugin(options), - c.findSample(facade, sampleId) - ).then(function (result, sample) { - c.assertEqual( - result.getError(), - "testError", - "Evaluation result error" - ); - c.assertObjectsWithValues( - result.getRequestedValidations(), - "identifier", - [sample.getIdentifier().getIdentifier()] - ); - - c.finish(); - }); - }); - }) - .fail(function (error) { - c.fail(error.message); - c.finish(); - }); - }; - - QUnit.test( - "evaluatePlugin() dynamic property plugin from database", - function (assert) { - return testDynamicPropertyPlugin(assert, true); - } - ); - - QUnit.test( - "evaluatePlugin() dynamic property plugin from script", - function (assert) { - return testDynamicPropertyPlugin(assert, false); - } - ); - - QUnit.test( - "evaluatePlugin() entity validation plugin from database", - function (assert) { - return testEntityValidationPlugin(assert, true); - } - ); - - QUnit.test( - "evaluatePlugin() entity validation plugin from script", - function (assert) { - return testEntityValidationPlugin(assert, false); - } - ); - }; - - return function () { - executeModule("Evaluate tests (RequireJS)", new openbis(), dtos); - executeModule("Evaluate tests (RequireJS - executeOperations)", new openbisExecuteOperations(new openbis(), dtos), dtos); - executeModule("Evaluate tests (module VAR)", new window.openbis.openbis(), window.openbis); - executeModule("Evaluate tests (module VAR - executeOperations)", new openbisExecuteOperations(new window.openbis.openbis(), window.openbis), window.openbis); - executeModule("Evaluate tests (module ESM)", new window.openbisESM.openbis(), window.openbisESM); - executeModule("Evaluate tests (module ESM - executeOperations)", new openbisExecuteOperations(new window.openbisESM.openbis(), window.openbisESM), window.openbisESM); - }; -}); diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-evaluate.ts b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-evaluate.ts new file mode 100644 index 0000000000000000000000000000000000000000..50ae0996cb0163f8db8437ebf630b8d1bd8c1a0b --- /dev/null +++ b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-evaluate.ts @@ -0,0 +1,133 @@ +import jquery from "./types/jquery" +import underscore from "./types/underscore" +import common from "./types/common" +import openbis from "./types/openbis.esm" + +exports.default = new Promise((resolve) => { + require(["jquery", "underscore", "openbis", "test/common", "test/openbis-execute-operations", "test/dtos"], function ( + $: jquery.JQueryStatic, + _: underscore.UnderscoreStatic, + openbisRequireJS, + common: common.CommonConstructor, + openbisExecuteOperations, + dtos + ) { + var executeModule = function (moduleName: string, facade: openbis.openbis, dtos: openbis.bundle) { + QUnit.module(moduleName) + + var testDynamicPropertyPlugin = function (assert, databasePlugin) { + var c = new common(assert, dtos) + c.start() + + c.login(facade) + .then(function () { + var creation = new dtos.PluginCreation() + creation.setName(c.generateId("plugin")) + creation.setPluginType(dtos.PluginType.DYNAMIC_PROPERTY) + creation.setScript("def calculate():\n return 'testValue'") + + return Promise.all([facade.createPlugins([creation]), c.createSample(facade)]).then(function ([pluginIds, sampleId]) { + var options = new dtos.DynamicPropertyPluginEvaluationOptions() + if (databasePlugin) { + options.setPluginId(pluginIds[0]) + } else { + options.setPluginScript(creation.getScript()) + } + options.setObjectId(sampleId) + + return facade.evaluatePlugin(options).then(function (result) { + c.assertEqual( + (<openbis.DynamicPropertyPluginEvaluationResult>result).getValue(), + "testValue", + "Evaluation result value" + ) + c.finish() + }) + }) + }) + .fail(function (error) { + c.fail(error.message) + c.finish() + }) + } + + var testEntityValidationPlugin = function (assert, databasePlugin) { + var c = new common(assert, dtos) + c.start() + + c.login(facade) + .then(function () { + var creation = new dtos.PluginCreation() + creation.setName(c.generateId("plugin")) + creation.setPluginType(dtos.PluginType.ENTITY_VALIDATION) + creation.setScript( + "def validate(entity, isNew):\n requestValidation(entity)\n if isNew:\n return 'testError'\n else:\n return None" + ) + + return Promise.all([facade.createPlugins([creation]), c.createSample(facade)]).then(function ([pluginIds, sampleId]) { + var options = new dtos.EntityValidationPluginEvaluationOptions() + if (databasePlugin) { + options.setPluginId(pluginIds[0]) + } else { + options.setPluginScript(creation.getScript()) + } + options.setNew(true) + options.setObjectId(sampleId) + + return Promise.all([facade.evaluatePlugin(options), c.findSample(facade, sampleId)]).then(function ([result, sample]) { + c.assertEqual( + (<openbis.EntityValidationPluginEvaluationResult>result).getError(), + "testError", + "Evaluation result error" + ) + c.assertObjectsWithValues( + (<openbis.EntityValidationPluginEvaluationResult>result).getRequestedValidations(), + "identifier", + [sample.getIdentifier().getIdentifier()] + ) + + c.finish() + }) + }) + }) + .fail(function (error) { + c.fail(error.message) + c.finish() + }) + } + + QUnit.test("evaluatePlugin() dynamic property plugin from database", function (assert) { + return testDynamicPropertyPlugin(assert, true) + }) + + QUnit.test("evaluatePlugin() dynamic property plugin from script", function (assert) { + return testDynamicPropertyPlugin(assert, false) + }) + + QUnit.test("evaluatePlugin() entity validation plugin from database", function (assert) { + return testEntityValidationPlugin(assert, true) + }) + + QUnit.test("evaluatePlugin() entity validation plugin from script", function (assert) { + return testEntityValidationPlugin(assert, false) + }) + } + + resolve(function () { + executeModule("Evaluate tests (RequireJS)", new openbisRequireJS(), dtos) + executeModule("Evaluate tests (RequireJS - executeOperations)", new openbisExecuteOperations(new openbisRequireJS(), dtos), dtos) + executeModule("Evaluate tests (module VAR)", new window.openbis.openbis(), window.openbis) + executeModule( + "Evaluate tests (module VAR - executeOperations)", + new openbisExecuteOperations(new window.openbis.openbis(), window.openbis), + window.openbis + ) + executeModule("Evaluate tests (module ESM)", new window.openbisESM.openbis(), window.openbisESM) + executeModule( + "Evaluate tests (module ESM - executeOperations)", + new openbisExecuteOperations(new window.openbisESM.openbis(), window.openbisESM), + window.openbisESM + ) + }) + }) +}) diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-execute.js b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-execute.js deleted file mode 100644 index 75964c52734cf750f450e951d3dbef5c4a6ae23c..0000000000000000000000000000000000000000 --- a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-execute.js +++ /dev/null @@ -1,72 +0,0 @@ -define([ 'jquery', 'underscore', 'openbis', 'test/openbis-execute-operations', 'test/common', 'test/dtos' ], function($, _, openbis, openbisExecuteOperations, common, dtos) { - var executeModule = function(moduleName, facade, dtos) { - QUnit.module(moduleName); - - QUnit.test("executeQuery()", function(assert) { - var c = new common(assert, dtos); - c.start(); - - c.login(facade).then(function() { - var creation = new dtos.QueryCreation(); - creation.setName(c.generateId("query")); - creation.setDatabaseId(new dtos.QueryDatabaseName("openbisDB")); - creation.setQueryType(dtos.QueryType.GENERIC); - creation.setSql("select perm_id, code from projects where perm_id = ${perm_id}"); - - return facade.createQueries([ creation ]).then(function(techIds) { - var options = new dtos.QueryExecutionOptions(); - options.withParameter("perm_id", "20130412150031345-203"); - - return facade.executeQuery(techIds[0], options).then(function(table) { - c.assertEqual(table.getColumns().length, 2, "Columns count"); - c.assertEqual(table.getColumns()[0].title, "perm_id", "Column[0] title"); - c.assertEqual(table.getColumns()[1].title, "code", "Column[1] title"); - c.assertEqual(table.getRows().length, 1, "Rows count"); - c.assertEqual(table.getRows()[0][0].value, "20130412150031345-203", "Value[0][0]"); - c.assertEqual(table.getRows()[0][1].value, "TEST-PROJECT", "Value[0][1]"); - - c.finish(); - }); - }); - }).fail(function(error) { - c.fail(error.message); - c.finish(); - }); - }); - - QUnit.test("executeSql()", function(assert) { - var c = new common(assert, dtos); - c.start(); - - c.login(facade).then(function() { - var options = new dtos.SqlExecutionOptions(); - options.withDatabaseId(new dtos.QueryDatabaseName("openbisDB")); - options.withParameter("perm_id", "20130412150031345-203"); - - return facade.executeSql("select perm_id, code from projects where perm_id = ${perm_id}", options).then(function(table) { - c.assertEqual(table.getColumns().length, 2, "Columns count"); - c.assertEqual(table.getColumns()[0].title, "perm_id", "Column[0] title"); - c.assertEqual(table.getColumns()[1].title, "code", "Column[1] title"); - c.assertEqual(table.getRows().length, 1, "Rows count"); - c.assertEqual(table.getRows()[0][0].value, "20130412150031345-203", "Value[0][0]"); - c.assertEqual(table.getRows()[0][1].value, "TEST-PROJECT", "Value[0][1]"); - - c.finish(); - }); - }).fail(function(error) { - c.fail(error.message); - c.finish(); - }); - }); - - } - - return function() { - executeModule("Execute tests (RequireJS)", new openbis(), dtos); - executeModule("Execute tests (RequireJS - executeOperations)", new openbisExecuteOperations(new openbis(), dtos), dtos); - executeModule("Execute tests (module VAR)", new window.openbis.openbis(), window.openbis); - executeModule("Execute tests (module VAR - executeOperations)", new openbisExecuteOperations(new window.openbis.openbis(), window.openbis), window.openbis); - executeModule("Execute tests (module ESM)", new window.openbisESM.openbis(), window.openbisESM); - executeModule("Execute tests (module ESM - executeOperations)", new openbisExecuteOperations(new window.openbisESM.openbis(), window.openbisESM), window.openbisESM); - } -}); diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-execute.ts b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-execute.ts new file mode 100644 index 0000000000000000000000000000000000000000..9de9283170ab8c32cf03145a9e82f61b18036436 --- /dev/null +++ b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-execute.ts @@ -0,0 +1,97 @@ +import jquery from "./types/jquery" +import underscore from "./types/underscore" +import common from "./types/common" +import openbis from "./types/openbis.esm" + +exports.default = new Promise((resolve) => { + require(["jquery", "underscore", "openbis", "test/common", "test/openbis-execute-operations", "test/dtos"], function ( + $: jquery.JQueryStatic, + _: underscore.UnderscoreStatic, + openbisRequireJS, + common: common.CommonConstructor, + openbisExecuteOperations, + dtos + ) { + var executeModule = function (moduleName: string, facade: openbis.openbis, dtos: openbis.bundle) { + QUnit.module(moduleName) + + QUnit.test("executeQuery()", function (assert) { + var c = new common(assert, dtos) + c.start() + + c.login(facade) + .then(function () { + var creation = new dtos.QueryCreation() + creation.setName(c.generateId("query")) + creation.setDatabaseId(new dtos.QueryDatabaseName("openbisDB")) + creation.setQueryType(dtos.QueryType.GENERIC) + creation.setSql("select perm_id, code from projects where perm_id = ${perm_id}") + + return facade.createQueries([creation]).then(function (techIds) { + var options = new dtos.QueryExecutionOptions() + options.withParameter("perm_id", "20130412150031345-203") + + return facade.executeQuery(techIds[0], options).then(function (table) { + c.assertEqual(table.getColumns().length, 2, "Columns count") + c.assertEqual(table.getColumns()[0].getTitle(), "perm_id", "Column[0] title") + c.assertEqual(table.getColumns()[1].getTitle(), "code", "Column[1] title") + c.assertEqual(table.getRows().length, 1, "Rows count") + c.assertEqual((<openbis.TableStringCell>table.getRows()[0][0]).getValue(), "20130412150031345-203", "Value[0][0]") + c.assertEqual((<openbis.TableStringCell>table.getRows()[0][1]).getValue(), "TEST-PROJECT", "Value[0][1]") + + c.finish() + }) + }) + }) + .fail(function (error) { + c.fail(error.message) + c.finish() + }) + }) + + QUnit.test("executeSql()", function (assert) { + var c = new common(assert, dtos) + c.start() + + c.login(facade) + .then(function () { + var options = new dtos.SqlExecutionOptions() + options.withDatabaseId(new dtos.QueryDatabaseName("openbisDB")) + options.withParameter("perm_id", "20130412150031345-203") + + return facade.executeSql("select perm_id, code from projects where perm_id = ${perm_id}", options).then(function (table) { + c.assertEqual(table.getColumns().length, 2, "Columns count") + c.assertEqual(table.getColumns()[0].getTitle(), "perm_id", "Column[0] title") + c.assertEqual(table.getColumns()[1].getTitle(), "code", "Column[1] title") + c.assertEqual(table.getRows().length, 1, "Rows count") + c.assertEqual((<openbis.TableStringCell>table.getRows()[0][0]).getValue(), "20130412150031345-203", "Value[0][0]") + c.assertEqual((<openbis.TableStringCell>table.getRows()[0][1]).getValue(), "TEST-PROJECT", "Value[0][1]") + + c.finish() + }) + }) + .fail(function (error) { + c.fail(error.message) + c.finish() + }) + }) + } + + resolve(function () { + executeModule("Execute tests (RequireJS)", new openbisRequireJS(), dtos) + executeModule("Execute tests (RequireJS - executeOperations)", new openbisExecuteOperations(new openbisRequireJS(), dtos), dtos) + executeModule("Execute tests (module VAR)", new window.openbis.openbis(), window.openbis) + executeModule( + "Execute tests (module VAR - executeOperations)", + new openbisExecuteOperations(new window.openbis.openbis(), window.openbis), + window.openbis + ) + executeModule("Execute tests (module ESM)", new window.openbisESM.openbis(), window.openbisESM) + executeModule( + "Execute tests (module ESM - executeOperations)", + new openbisExecuteOperations(new window.openbisESM.openbis(), window.openbisESM), + window.openbisESM + ) + }) + }) +}) diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-freezing.js b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-freezing.js deleted file mode 100644 index 09cacd4a70cd996f1f4096207f6ceaa5c3a63314..0000000000000000000000000000000000000000 --- a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-freezing.js +++ /dev/null @@ -1,251 +0,0 @@ -define([ 'jquery', 'underscore', 'openbis', 'test/openbis-execute-operations', 'test/common', 'test/dtos' ], function($, _, openbis, openbisExecuteOperations, common, dtos) { - var executeModule = function(moduleName, facade, dtos) { - QUnit.module(moduleName); - - var testUpdate = function(c, entityKind, fCreate, fUpdate, fFind, freezings) { - c.start(); - - var ctx = { - facade : null, - permIds : null, - freezingMethodsByPermIds : {} - }; - - c.login(facade).then(function() { - ctx.facade = facade; - var codePrefix = c.generateId(entityKind); - var codes = []; - $.each(Object.keys(freezings), function(index, method) { - codes.push(codePrefix + "-" + method); - }); - return fCreate(facade, codes); - }).then(function(permIds) { - c.ok("Entities created: " + permIds); - ctx.permIds = permIds; - $.each(Object.keys(freezings), function(index, method) { - ctx.freezingMethodsByPermIds[permIds[index].getPermId()] = method; - }); - return fUpdate(ctx.facade, ctx.freezingMethodsByPermIds); - }).then(function() { - c.ok("Entities frozen: " + ctx.permIds); - return fFind(ctx.facade, ctx.permIds); - }).then(function(entities) { - $.each(ctx.freezingMethodsByPermIds, function(permId, method) { - var entity = entities[permId]; - $.each(freezings[method], function(flagName, expectedValue) { - var m = "is" + flagName.charAt(0).toUpperCase() + flagName.slice(1); - c.assertEqual(entity[m](), expectedValue, entity.getCode() + ": " + flagName); - }); - }); - c.finish(); - }).fail(function(error) { - c.fail(error.message); - c.finish(); - }); - } - - QUnit.test("freeze spaces()", function(assert) { - var c = new common(assert, dtos); - - var fCreate = function(facade, codes) { - var creations = []; - $.each(codes, function(index, code) { - var creation = new dtos.SpaceCreation(); - creation.setCode(code); - creations.push(creation); - }); - return facade.createSpaces(creations); - } - - var fUpdate = function(facade, freezingMethodsByPermIds) { - var updates = []; - $.each(freezingMethodsByPermIds, function(permId, method) { - var update = new dtos.SpaceUpdate(); - update.setSpaceId(new dtos.SpacePermId(permId)); - update[method](); - updates.push(update); - }); - return facade.updateSpaces(updates); - } - - var fFind = function(facade, permIds) { - return facade.getSpaces(permIds, c.createSpaceFetchOptions()); - } - - - testUpdate(c, "SPACE", fCreate, fUpdate, fFind, - {"freeze" : {"frozen" : true, "frozenForProjects" : false, "frozenForSamples" : false}, - "freezeForProjects" : {"frozen" : true, "frozenForProjects" : true, "frozenForSamples" : false}, - "freezeForSamples" : {"frozen" : true, "frozenForProjects" : false, "frozenForSamples" : true} - }); - }); - - QUnit.test("freeze projects()", function(assert) { - var c = new common(assert, dtos); - - var fCreate = function(facade, codes) { - var creations = []; - $.each(codes, function(index, code) { - var creation = new dtos.ProjectCreation(); - creation.setSpaceId(new dtos.SpacePermId("TEST")); - creation.setCode(code); - creations.push(creation); - }); - return facade.createProjects(creations); - } - - var fUpdate = function(facade, freezingMethodsByPermIds) { - var updates = []; - $.each(freezingMethodsByPermIds, function(permId, method) { - var update = new dtos.ProjectUpdate(); - update.setProjectId(new dtos.ProjectPermId(permId)); - update[method](); - updates.push(update); - }); - return facade.updateProjects(updates); - } - - var fFind = function(facade, permIds) { - return facade.getProjects(permIds, c.createProjectFetchOptions()); - } - - testUpdate(c, "PROJECT", fCreate, fUpdate, fFind, - {"freeze" : {"frozen" : true, "frozenForExperiments" : false, "frozenForSamples" : false}, - "freezeForExperiments" : {"frozen" : true, "frozenForExperiments" : true, "frozenForSamples" : false}, - "freezeForSamples" : {"frozen" : true, "frozenForExperiments" : false, "frozenForSamples" : true} - }); - }); - - QUnit.test("freeze experiments()", function(assert) { - var c = new common(assert, dtos); - - var fCreate = function(facade, codes) { - var creations = []; - $.each(codes, function(index, code) { - var creation = new dtos.ExperimentCreation(); - creation.setCode(code); - creation.setTypeId(new dtos.EntityTypePermId("HT_SEQUENCING")); - creation.setProjectId(new dtos.ProjectIdentifier("/TEST/TEST-PROJECT")); - creations.push(creation); - }); - return facade.createExperiments(creations); - } - - var fUpdate = function(facade, freezingMethodsByPermIds) { - var updates = []; - $.each(freezingMethodsByPermIds, function(permId, method) { - var update = new dtos.ExperimentUpdate(); - update.setExperimentId(new dtos.ExperimentPermId(permId)); - update[method](); - updates.push(update); - }); - return facade.updateExperiments(updates); - } - - var fFind = function(facade, permIds) { - return facade.getExperiments(permIds, c.createExperimentFetchOptions()); - } - - testUpdate(c, "EXPERIMENT", fCreate, fUpdate, fFind, - {"freeze" : {"frozen" : true, "frozenForDataSets" : false, "frozenForSamples" : false}, - "freezeForDataSets" : {"frozen" : true, "frozenForDataSets" : true, "frozenForSamples" : false}, - "freezeForSamples" : {"frozen" : true, "frozenForDataSets" : false, "frozenForSamples" : true} - }); - }); - - QUnit.test("freeze samples()", function(assert) { - var c = new common(assert, dtos); - - var fCreate = function(facade, codes) { - var creations = []; - $.each(codes, function(index, code) { - var creation = new dtos.SampleCreation(); - creation.setSpaceId(new dtos.SpacePermId("TEST")); - creation.setCode(code); - creation.setTypeId(new dtos.EntityTypePermId("UNKNOWN")); - creations.push(creation); - }); - return facade.createSamples(creations); - } - - var fUpdate = function(facade, freezingMethodsByPermIds) { - var updates = []; - $.each(freezingMethodsByPermIds, function(permId, method) { - var update = new dtos.SampleUpdate(); - update.setSampleId(new dtos.SamplePermId(permId)); - update[method](); - updates.push(update); - }); - return facade.updateSamples(updates); - } - - var fFind = function(facade, permIds) { - return facade.getSamples(permIds, c.createSampleFetchOptions()); - } - - testUpdate(c, "SAMPLE", fCreate, fUpdate, fFind, - {"freeze" : {"frozen" : true, "frozenForDataSets" : false, "frozenForComponents" : false, - "frozenForChildren" : false, "frozenForParents" : false}, - "freezeForDataSets" : {"frozen" : true, "frozenForDataSets" : true, "frozenForComponents" : false, - "frozenForChildren" : false, "frozenForParents" : false}, - "freezeForComponents" : {"frozen" : true, "frozenForDataSets" : false, "frozenForComponents" : true, - "frozenForChildren" : false, "frozenForParents" : false}, - "freezeForChildren" : {"frozen" : true, "frozenForDataSets" : false, "frozenForComponents" : false, - "frozenForChildren" : true, "frozenForParents" : false}, - "freezeForParents" : {"frozen" : true, "frozenForDataSets" : false, "frozenForComponents" : false, - "frozenForChildren" : false, "frozenForParents" : true} - }); - }); - - QUnit.test("freeze data sets()", function(assert) { - var c = new common(assert, dtos); - - var fCreate = function(facade, codes) { - var creations = []; - $.each(codes, function(index, code) { - creations.push(c.createDataSet(facade, "UNKNOWN")); - }); - return $.when.apply($, creations).then(function(){ - return Array.prototype.slice.call(arguments); - }); - } - - var fUpdate = function(facade, freezingMethodsByPermIds) { - var updates = []; - $.each(freezingMethodsByPermIds, function(permId, method) { - var update = new dtos.DataSetUpdate(); - update.setDataSetId(new dtos.DataSetPermId(permId)); - update[method](); - updates.push(update); - }); - return facade.updateDataSets(updates); - } - - var fFind = function(facade, permIds) { - return facade.getDataSets(permIds, c.createDataSetFetchOptions()); - } - - testUpdate(c, "DATA_SET", fCreate, fUpdate, fFind, - {"freeze" : {"frozen" : true, "frozenForContainers" : false, "frozenForComponents" : false, - "frozenForChildren" : false, "frozenForParents" : false}, - "freezeForContainers" : {"frozen" : true, "frozenForContainers" : true, "frozenForComponents" : false, - "frozenForChildren" : false, "frozenForParents" : false}, - "freezeForComponents" : {"frozen" : true, "frozenForContainers" : false, "frozenForComponents" : true, - "frozenForChildren" : false, "frozenForParents" : false}, - "freezeForChildren" : {"frozen" : true, "frozenForContainers" : false, "frozenForComponents" : false, - "frozenForChildren" : true, "frozenForParents" : false}, - "freezeForParents" : {"frozen" : true, "frozenForContainers" : false, "frozenForComponents" : false, - "frozenForChildren" : false, "frozenForParents" : true} - }); - }); -} - - return function() { - executeModule("Freezing tests (RequireJS)", new openbis(), dtos); - executeModule("Freezing tests (RequireJS - executeOperations)", new openbisExecuteOperations(new openbis(), dtos), dtos); - executeModule("Freezing tests (module VAR)", new window.openbis.openbis(), window.openbis); - executeModule("Freezing tests (module VAR - executeOperations)", new openbisExecuteOperations(new window.openbis.openbis(), window.openbis), window.openbis); - executeModule("Freezing tests (module ESM)", new window.openbisESM.openbis(), window.openbisESM); - executeModule("Freezing tests (module ESM - executeOperations)", new openbisExecuteOperations(new window.openbisESM.openbis(), window.openbisESM), window.openbisESM); - } -}); diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-freezing.ts b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-freezing.ts new file mode 100644 index 0000000000000000000000000000000000000000..f43464e6f8afcfe8b50b0191f89b011d814cec30 --- /dev/null +++ b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-freezing.ts @@ -0,0 +1,321 @@ +import jquery from "./types/jquery" +import underscore from "./types/underscore" +import common from "./types/common" +import openbis from "./types/openbis.esm" + +exports.default = new Promise((resolve) => { + require(["jquery", "underscore", "openbis", "test/common", "test/openbis-execute-operations", "test/dtos"], function ( + $: jquery.JQueryStatic, + _: underscore.UnderscoreStatic, + openbisRequireJS, + common: common.CommonConstructor, + openbisExecuteOperations, + dtos + ) { + var executeModule = function (moduleName: string, facade: openbis.openbis, dtos: openbis.bundle) { + QUnit.module(moduleName) + + var testUpdate = function (c: common.CommonClass, entityKind, fCreate, fUpdate, fFind, freezings) { + c.start() + + var ctx = { + facade: null, + permIds: null, + freezingMethodsByPermIds: {}, + } + + c.login(facade) + .then(function () { + ctx.facade = facade + var codePrefix = c.generateId(entityKind) + var codes = [] + $.each(Object.keys(freezings), function (index, method) { + codes.push(codePrefix + "-" + method) + }) + return fCreate(facade, codes) + }) + .then(function (permIds) { + c.ok("Entities created: " + permIds) + ctx.permIds = permIds + $.each(Object.keys(freezings), function (index, method) { + ctx.freezingMethodsByPermIds[permIds[index].getPermId()] = method + }) + return fUpdate(ctx.facade, ctx.freezingMethodsByPermIds) + }) + .then(function () { + c.ok("Entities frozen: " + ctx.permIds) + return fFind(ctx.facade, ctx.permIds) + }) + .then(function (entities) { + $.each(ctx.freezingMethodsByPermIds, function (permId, method) { + var entity = entities[permId] + $.each(freezings[method], function (flagName, expectedValue) { + var m = "is" + flagName.charAt(0).toUpperCase() + flagName.slice(1) + c.assertEqual(entity[m](), expectedValue, entity.getCode() + ": " + flagName) + }) + }) + c.finish() + }) + .fail(function (error) { + c.fail(error.message) + c.finish() + }) + } + + QUnit.test("freeze spaces()", function (assert) { + var c = new common(assert, dtos) + + var fCreate = function (facade: openbis.openbis, codes: string[]) { + var creations: openbis.SpaceCreation[] = [] + $.each(codes, function (index: number, code: string) { + var creation = new dtos.SpaceCreation() + creation.setCode(code) + creations.push(creation) + }) + return facade.createSpaces(creations) + } + + var fUpdate = function (facade: openbis.openbis, freezingMethodsByPermIds: { [index: string]: string }) { + var updates: openbis.SpaceUpdate[] = [] + $.each(freezingMethodsByPermIds, function (permId: string, method: string) { + var update = new dtos.SpaceUpdate() + update.setSpaceId(new dtos.SpacePermId(permId)) + update[method]() + updates.push(update) + }) + return facade.updateSpaces(updates) + } + + var fFind = function (facade: openbis.openbis, permIds: openbis.SpacePermId[]) { + return facade.getSpaces(permIds, c.createSpaceFetchOptions()) + } + + testUpdate(c, "SPACE", fCreate, fUpdate, fFind, { + freeze: { frozen: true, frozenForProjects: false, frozenForSamples: false }, + freezeForProjects: { frozen: true, frozenForProjects: true, frozenForSamples: false }, + freezeForSamples: { frozen: true, frozenForProjects: false, frozenForSamples: true }, + }) + }) + + QUnit.test("freeze projects()", function (assert) { + var c = new common(assert, dtos) + + var fCreate = function (facade: openbis.openbis, codes: string[]) { + var creations = [] + $.each(codes, function (index: number, code: string) { + var creation = new dtos.ProjectCreation() + creation.setSpaceId(new dtos.SpacePermId("TEST")) + creation.setCode(code) + creations.push(creation) + }) + return facade.createProjects(creations) + } + + var fUpdate = function (facade: openbis.openbis, freezingMethodsByPermIds: { [index: string]: string }) { + var updates: openbis.ProjectUpdate[] = [] + $.each(freezingMethodsByPermIds, function (permId: string, method: string) { + var update = new dtos.ProjectUpdate() + update.setProjectId(new dtos.ProjectPermId(permId)) + update[method]() + updates.push(update) + }) + return facade.updateProjects(updates) + } + + var fFind = function (facade: openbis.openbis, permIds: openbis.ProjectPermId[]) { + return facade.getProjects(permIds, c.createProjectFetchOptions()) + } + + testUpdate(c, "PROJECT", fCreate, fUpdate, fFind, { + freeze: { frozen: true, frozenForExperiments: false, frozenForSamples: false }, + freezeForExperiments: { frozen: true, frozenForExperiments: true, frozenForSamples: false }, + freezeForSamples: { frozen: true, frozenForExperiments: false, frozenForSamples: true }, + }) + }) + + QUnit.test("freeze experiments()", function (assert) { + var c = new common(assert, dtos) + + var fCreate = function (facade: openbis.openbis, codes: string[]) { + var creations: openbis.ExperimentCreation[] = [] + $.each(codes, function (index: number, code: string) { + var creation = new dtos.ExperimentCreation() + creation.setCode(code) + creation.setTypeId(new dtos.EntityTypePermId("HT_SEQUENCING")) + creation.setProjectId(new dtos.ProjectIdentifier("/TEST/TEST-PROJECT")) + creations.push(creation) + }) + return facade.createExperiments(creations) + } + + var fUpdate = function (facade: openbis.openbis, freezingMethodsByPermIds: { [index: string]: string }) { + var updates: openbis.ExperimentUpdate[] = [] + $.each(freezingMethodsByPermIds, function (permId: string, method: string) { + var update = new dtos.ExperimentUpdate() + update.setExperimentId(new dtos.ExperimentPermId(permId)) + update[method]() + updates.push(update) + }) + return facade.updateExperiments(updates) + } + + var fFind = function (facade: openbis.openbis, permIds: openbis.ExperimentPermId[]) { + return facade.getExperiments(permIds, c.createExperimentFetchOptions()) + } + + testUpdate(c, "EXPERIMENT", fCreate, fUpdate, fFind, { + freeze: { frozen: true, frozenForDataSets: false, frozenForSamples: false }, + freezeForDataSets: { frozen: true, frozenForDataSets: true, frozenForSamples: false }, + freezeForSamples: { frozen: true, frozenForDataSets: false, frozenForSamples: true }, + }) + }) + + QUnit.test("freeze samples()", function (assert) { + var c = new common(assert, dtos) + + var fCreate = function (facade: openbis.openbis, codes: string[]) { + var creations: openbis.SampleCreation[] = [] + $.each(codes, function (index: number, code: string) { + var creation = new dtos.SampleCreation() + creation.setSpaceId(new dtos.SpacePermId("TEST")) + creation.setCode(code) + creation.setTypeId(new dtos.EntityTypePermId("UNKNOWN")) + creations.push(creation) + }) + return facade.createSamples(creations) + } + + var fUpdate = function (facade: openbis.openbis, freezingMethodsByPermIds: { [index: string]: string }) { + var updates: openbis.SampleUpdate[] = [] + $.each(freezingMethodsByPermIds, function (permId: string, method: string) { + var update = new dtos.SampleUpdate() + update.setSampleId(new dtos.SamplePermId(permId)) + update[method]() + updates.push(update) + }) + return facade.updateSamples(updates) + } + + var fFind = function (facade: openbis.openbis, permIds: openbis.SamplePermId[]) { + return facade.getSamples(permIds, c.createSampleFetchOptions()) + } + + testUpdate(c, "SAMPLE", fCreate, fUpdate, fFind, { + freeze: { frozen: true, frozenForDataSets: false, frozenForComponents: false, frozenForChildren: false, frozenForParents: false }, + freezeForDataSets: { + frozen: true, + frozenForDataSets: true, + frozenForComponents: false, + frozenForChildren: false, + frozenForParents: false, + }, + freezeForComponents: { + frozen: true, + frozenForDataSets: false, + frozenForComponents: true, + frozenForChildren: false, + frozenForParents: false, + }, + freezeForChildren: { + frozen: true, + frozenForDataSets: false, + frozenForComponents: false, + frozenForChildren: true, + frozenForParents: false, + }, + freezeForParents: { + frozen: true, + frozenForDataSets: false, + frozenForComponents: false, + frozenForChildren: false, + frozenForParents: true, + }, + }) + }) + + QUnit.test("freeze data sets()", function (assert) { + var c = new common(assert, dtos) + + var fCreate = function (facade: openbis.openbis, codes: string[]) { + var creations = [] + $.each(codes, function (index: number, code: string) { + creations.push(c.createDataSet(facade, "UNKNOWN")) + }) + return $.when.apply($, creations).then(function () { + return Array.prototype.slice.call(arguments) + }) + } + + var fUpdate = function (facade: openbis.openbis, freezingMethodsByPermIds: { [index: string]: string }) { + var updates: openbis.DataSetUpdate[] = [] + $.each(freezingMethodsByPermIds, function (permId: string, method: string) { + var update = new dtos.DataSetUpdate() + update.setDataSetId(new dtos.DataSetPermId(permId)) + update[method]() + updates.push(update) + }) + return facade.updateDataSets(updates) + } + + var fFind = function (facade: openbis.openbis, permIds: openbis.DataSetPermId[]) { + return facade.getDataSets(permIds, c.createDataSetFetchOptions()) + } + + testUpdate(c, "DATA_SET", fCreate, fUpdate, fFind, { + freeze: { + frozen: true, + frozenForContainers: false, + frozenForComponents: false, + frozenForChildren: false, + frozenForParents: false, + }, + freezeForContainers: { + frozen: true, + frozenForContainers: true, + frozenForComponents: false, + frozenForChildren: false, + frozenForParents: false, + }, + freezeForComponents: { + frozen: true, + frozenForContainers: false, + frozenForComponents: true, + frozenForChildren: false, + frozenForParents: false, + }, + freezeForChildren: { + frozen: true, + frozenForContainers: false, + frozenForComponents: false, + frozenForChildren: true, + frozenForParents: false, + }, + freezeForParents: { + frozen: true, + frozenForContainers: false, + frozenForComponents: false, + frozenForChildren: false, + frozenForParents: true, + }, + }) + }) + } + + resolve(function () { + executeModule("Freezing tests (RequireJS)", new openbisRequireJS(), dtos) + executeModule("Freezing tests (RequireJS - executeOperations)", new openbisExecuteOperations(new openbisRequireJS(), dtos), dtos) + executeModule("Freezing tests (module VAR)", new window.openbis.openbis(), window.openbis) + executeModule( + "Freezing tests (module VAR - executeOperations)", + new openbisExecuteOperations(new window.openbis.openbis(), window.openbis), + window.openbis + ) + executeModule("Freezing tests (module ESM)", new window.openbisESM.openbis(), window.openbisESM) + executeModule( + "Freezing tests (module ESM - executeOperations)", + new openbisExecuteOperations(new window.openbisESM.openbis(), window.openbisESM), + window.openbisESM + ) + }) + }) +}) diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-get.js b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-get.js deleted file mode 100644 index 579efc0b48de30ba55e72040ce75cc6567fbf360..0000000000000000000000000000000000000000 --- a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-get.js +++ /dev/null @@ -1,925 +0,0 @@ -define([ 'jquery', 'underscore', 'openbis', 'test/openbis-execute-operations', 'test/common', 'test/dtos' ], function($, _, openbis, openbisExecuteOperations, common, dtos) { - var executeModule = function(moduleName, facade, dtos) { - QUnit.module(moduleName); - - var testGet = function(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig) { - c.start(); - c.login(facade).then(function() { - return fCreate(facade).then(function(permIds) { - c.assertTrue(permIds != null && permIds.length > 0, "Entities were created"); - return fGet(facade, permIds).then(function(map) { - c.assertEqual(Object.keys(map).length, permIds.length, "Entity map size is correct"); - permIds.forEach(function(permId) { - var entity = map[permId]; - testFetchOptionsResults(c, fechOptionsTestConfig, true, entity); - c.assertEqual(c.getId(entity).toString(), permId.toString(), "Entity perm id matches"); - }); - return fGetEmptyFetchOptions(facade, permIds).then(function(map) { - c.assertEqual(Object.keys(map).length, permIds.length, "Entity map size is correct"); - permIds.forEach(function(permId) { - var entity = map[permId]; - testFetchOptionsResults(c, fechOptionsTestConfig, false, entity); - c.assertEqual(c.getId(entity).toString(), permId.toString(), "Entity perm id matches"); - }); - c.finish(); - }); - }); - }); - }).fail(function(error) { - c.fail(error.message); - c.finish(); - }); - } - - var testGetManual = function(c, fCreate, fGet, fCheck) { - c.start(); - c.login(facade).then(function() { - return fCreate(facade).then(function(permIds) { - return fGet(facade, permIds).then(function(persons) { - fCheck(permIds, persons); - c.finish(); - }); - }); - }).fail(function(error) { - c.fail(error.message); - c.finish(); - }); - } - - var testFetchOptionsAssignation = function(c, fo, toTest) { - for (component in toTest) { - if (component === "SortBy") { - fo.sortBy().code(); - c.assertEqual(true, ((fo.getSortBy()) ? true : false), "Component " + component + " set on Fetch Options."); - } else { - var methodNameWithUsing = "with" + component + "Using"; - if (typeof fo[methodNameWithUsing] === "function") { - fo[methodNameWithUsing](null); - } else { - throw methodNameWithUsing + " should be a method."; - } - - var methodNameWith = "with" + component; - if (typeof fo[methodNameWith] === "function") { - fo[methodNameWith](); - } else { - throw methodNameWith + " should be a method."; - } - - var methodNameHas = "has" + component; - if (typeof fo[methodNameHas] === "function") { - c.assertEqual(true, fo[methodNameHas](), "Component " + component + " set on Fetch Options."); - } else { - throw methodNameHas + " should be a method."; - } - } - } - } - - var testFetchOptionsResults = function(c, toTest, expectedShouldSucceed, entity) { - for (property in toTest) { - if (property !== "SortBy") { - var methodName = "get" + property; - var errorFound = null; - if (typeof entity[methodName] === "function") { - try { - var result = entity[methodName](); // Should not - // thrown an - // exception, - // what it means - // is right! - } catch (error) { - errorFound = error; - } - var msg = (expectedShouldSucceed) ? "Succeed" : "Fail"; - c.assertEqual(expectedShouldSucceed, !errorFound, "Calling method " + methodName + " expected to " + msg); - } else { - throw methodName + " should be a method."; - } - } - } - } - - var getMethods = function(obj) { - var result = []; - for ( var id in obj) { - try { - if (typeof (obj[id]) == "function") { - result.push(id + ": " + obj[id].toString()); - } - } catch (err) { - result.push(id + ": inaccessible"); - } - } - return result; - } - - var getConfigForFetchOptions = function(fo) { - var components = {}; - var methods = getMethods(fo); - for (var mIdx = 0; mIdx < methods.length; mIdx++) { - var method = methods[mIdx]; - if (method.startsWith("has")) { - var component = method.substring(3, method.indexOf(':')); - components[component] = null; - } - } - return components; - } - - QUnit.test("getSpaces()", function(assert) { - var c = new common(assert, dtos); - var fo = new dtos.SpaceFetchOptions(); - var fechOptionsTestConfig = getConfigForFetchOptions(fo); - fechOptionsTestConfig.SortBy = null; - - var fCreate = function(facade) { - return $.when(c.createSpace(facade), c.createSpace(facade)).then(function(permId1, permId2) { - return [ permId1, permId2 ]; - }); - } - - var fGet = function(facade, permIds) { - testFetchOptionsAssignation(c, fo, fechOptionsTestConfig); - return facade.getSpaces(permIds, fo); - } - - var fGetEmptyFetchOptions = function(facade, permIds) { - return facade.getSpaces(permIds, new dtos.SpaceFetchOptions()); - } - - testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig); - }); - - QUnit.test("getProjects()", function(assert) { - var c = new common(assert, dtos); - var fo = new dtos.ProjectFetchOptions(); - var fechOptionsTestConfig = getConfigForFetchOptions(fo); - fechOptionsTestConfig.SortBy = null; - - var fCreate = function(facade) { - return $.when(c.createProject(facade), c.createProject(facade)).then(function(permId1, permId2) { - return [ permId1, permId2 ]; - }); - } - - var fGet = function(facade, permIds) { - - testFetchOptionsAssignation(c, fo, fechOptionsTestConfig); - return facade.getProjects(permIds, fo); - } - - var fGetEmptyFetchOptions = function(facade, permIds) { - return facade.getProjects(permIds, new dtos.ProjectFetchOptions()); - } - - testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig); - }); - - QUnit.test("getExperiments()", function(assert) { - var c = new common(assert, dtos); - var fo = new dtos.ExperimentFetchOptions(); - var fechOptionsTestConfig = getConfigForFetchOptions(fo); - fechOptionsTestConfig.SortBy = null; - - var fCreate = function(facade) { - return $.when(c.createExperiment(facade), c.createExperiment(facade)).then(function(permId1, permId2) { - return [ permId1, permId2 ]; - }); - } - - var fGet = function(facade, permIds) { - testFetchOptionsAssignation(c, fo, fechOptionsTestConfig); - return facade.getExperiments(permIds, fo); - } - - var fGetEmptyFetchOptions = function(facade, permIds) { - return facade.getExperiments(permIds, new dtos.ExperimentFetchOptions()); - } - - testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig); - }); - - QUnit.test("getSamples()", function(assert) { - var c = new common(assert, dtos); - var fo = new dtos.SampleFetchOptions(); - var fechOptionsTestConfig = getConfigForFetchOptions(fo); - fechOptionsTestConfig.SortBy = null; - - var fCreate = function(facade) { - return $.when(c.createSample(facade), c.createSample(facade)).then(function(permId1, permId2) { - return [ permId1, permId2 ]; - }); - } - - var fGet = function(facade, permIds) { - testFetchOptionsAssignation(c, fo, fechOptionsTestConfig); - return facade.getSamples(permIds, fo); - } - - var fGetEmptyFetchOptions = function(facade, permIds) { - return facade.getSamples(permIds, new dtos.SampleFetchOptions()); - } - - testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig); - }); - - QUnit.test("getDataSets()", function(assert) { - var c = new common(assert, dtos); - var fo = new dtos.DataSetFetchOptions(); - var fechOptionsTestConfig = getConfigForFetchOptions(fo); - fechOptionsTestConfig.SortBy = null; - - var fCreate = function(facade) { - return $.when(c.createDataSet(facade), c.createDataSet(facade)).then(function(permId1, permId2) { - return [ permId1, permId2 ]; - }); - } - - var fGet = function(facade, permIds) { - testFetchOptionsAssignation(c, fo, fechOptionsTestConfig); - var result = facade.getDataSets(permIds, fo); - - result.then(function(map) { - permIds.forEach(function(permId) { - var entity = map[permId]; - c.assertEqual(entity.isPostRegistered(), false, "post registered for " + permId); - }); - }); - return result; - } - - var fGetEmptyFetchOptions = function(facade, permIds) { - var result = facade.getDataSets(permIds, new dtos.DataSetFetchOptions()); - - result.then(function(map) { - permIds.forEach(function(permId) { - var entity = map[permId]; - c.assertEqual(entity.isPostRegistered(), false, "post registered for " + permId); - }); - }); - return result; - } - - testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig); - }); - - QUnit.test("getMaterials()", function(assert) { - var c = new common(assert, dtos); - var fo = new dtos.MaterialFetchOptions(); - var fechOptionsTestConfig = getConfigForFetchOptions(fo); - fechOptionsTestConfig.SortBy = null; - - var fCreate = function(facade) { - return $.when(c.createMaterial(facade), c.createMaterial(facade)).then(function(permId1, permId2) { - return [ permId1, permId2 ]; - }); - } - - var fGet = function(facade, permIds) { - testFetchOptionsAssignation(c, fo, fechOptionsTestConfig); - return facade.getMaterials(permIds, fo); - } - - var fGetEmptyFetchOptions = function(facade, permIds) { - return facade.getMaterials(permIds, new dtos.MaterialFetchOptions()); - } - - testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig); - }); - - QUnit.test("getPropertyTypes()", function(assert) { - var c = new common(assert, dtos); - var fo = new dtos.PropertyTypeFetchOptions(); - var fechOptionsTestConfig = getConfigForFetchOptions(fo); - fechOptionsTestConfig.SortBy = null; - - var fCreate = function(facade) { - return $.when(c.createPropertyType(facade), c.createPropertyType(facade)).then(function(permId1, permId2) { - return [ permId1, permId2 ]; - }); - } - - var fGet = function(facade, permIds) { - testFetchOptionsAssignation(c, fo, fechOptionsTestConfig); - return facade.getPropertyTypes(permIds, fo); - } - - var fGetEmptyFetchOptions = function(facade, permIds) { - return facade.getPropertyTypes(permIds, new dtos.PropertyTypeFetchOptions()); - } - - testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig); - }); - - QUnit.test("getPlugins()", function(assert) { - var c = new common(assert, dtos); - var fo = new dtos.PluginFetchOptions(); - var fechOptionsTestConfig = getConfigForFetchOptions(fo); - - var fCreate = function(facade) { - return $.when(c.createPlugin(facade), c.createPlugin(facade)).then(function(permId1, permId2) { - return [ permId1, permId2 ]; - }); - } - - var fGet = function(facade, permIds) { - testFetchOptionsAssignation(c, fo, fechOptionsTestConfig); - return facade.getPlugins(permIds, fo); - } - - var fGetEmptyFetchOptions = function(facade, permIds) { - return facade.getPlugins(permIds, new dtos.PluginFetchOptions()); - } - - testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig); - }); - - QUnit.test("getVocabularies()", function(assert) { - var c = new common(assert, dtos); - var fo = new dtos.VocabularyFetchOptions(); - var fechOptionsTestConfig = getConfigForFetchOptions(fo); - fechOptionsTestConfig.SortBy = null; - - var fCreate = function(facade) { - return $.when(c.createVocabulary(facade), c.createVocabulary(facade)).then(function(permId1, permId2) { - return [ permId1, permId2 ]; - }); - } - - var fGet = function(facade, permIds) { - testFetchOptionsAssignation(c, fo, fechOptionsTestConfig); - return facade.getVocabularies(permIds, fo); - } - - var fGetEmptyFetchOptions = function(facade, permIds) { - return facade.getVocabularies(permIds, new dtos.VocabularyFetchOptions()); - } - - testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig); - }); - - QUnit.test("getVocabularyTerms()", function(assert) { - var c = new common(assert, dtos); - var fo = new dtos.VocabularyTermFetchOptions(); - var fechOptionsTestConfig = getConfigForFetchOptions(fo); - fechOptionsTestConfig.SortBy = null; - - var fCreate = function(facade) { - return $.when(c.createVocabularyTerm(facade), c.createVocabularyTerm(facade)).then(function(permId1, permId2) { - return [ permId1, permId2 ]; - }); - } - - var fGet = function(facade, permIds) { - testFetchOptionsAssignation(c, fo, fechOptionsTestConfig); - return facade.getVocabularyTerms(permIds, fo); - } - - var fGetEmptyFetchOptions = function(facade, permIds) { - return facade.getVocabularyTerms(permIds, new dtos.VocabularyTermFetchOptions()); - } - - testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig); - }); - - QUnit.test("getExternalDms()", function(assert) { - var c = new common(assert, dtos); - var fo = new dtos.ExternalDmsFetchOptions(); - var fechOptionsTestConfig = getConfigForFetchOptions(fo); - - var fCreate = function(facade) { - return $.when(c.createExternalDms(facade), c.createExternalDms(facade)).then(function(permId1, permId2) { - return [ permId1, permId2 ]; - }); - } - - var fGet = function(facade, permIds) { - testFetchOptionsAssignation(c, fo, fechOptionsTestConfig); - return facade.getExternalDataManagementSystems(permIds, fo); - } - - var fGetEmptyFetchOptions = function(facade, permIds) { - return facade.getExternalDataManagementSystems(permIds, new dtos.ExternalDmsFetchOptions()); - } - - testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig); - }); - - QUnit.test("getTags()", function(assert) { - var c = new common(assert, dtos); - var fo = new dtos.TagFetchOptions(); - var fechOptionsTestConfig = getConfigForFetchOptions(fo); - fechOptionsTestConfig.SortBy = null; - - var fCreate = function(facade) { - return $.when(c.createTag(facade), c.createTag(facade)).then(function(permId1, permId2) { - return [ permId1, permId2 ]; - }); - } - - var fGet = function(facade, permIds) { - testFetchOptionsAssignation(c, fo, fechOptionsTestConfig); - return facade.getTags(permIds, fo); - } - - var fGetEmptyFetchOptions = function(facade, permIds) { - return facade.getTags(permIds, new dtos.TagFetchOptions()); - } - - testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig); - }); - - QUnit.test("getAuthorizationGroups()", function(assert) { - var c = new common(assert, dtos); - var fo = new dtos.AuthorizationGroupFetchOptions(); - var fechOptionsTestConfig = getConfigForFetchOptions(fo); - fechOptionsTestConfig.SortBy = null; - - var fCreate = function(facade) { - return $.when(c.createAuthorizationGroup(facade), c.createAuthorizationGroup(facade)).then(function(permId1, permId2) { - return [ permId1, permId2 ]; - }); - } - - var fGet = function(facade, permIds) { - testFetchOptionsAssignation(c, fo, fechOptionsTestConfig); - return facade.getAuthorizationGroups(permIds, fo); - } - - var fGetEmptyFetchOptions = function(facade, permIds) { - return facade.getAuthorizationGroups(permIds, new dtos.AuthorizationGroupFetchOptions()); - } - - testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig); - }); - - QUnit.test("getRoleAssignments() with user", function(assert) { - var c = new common(assert, dtos); - var fo = new dtos.RoleAssignmentFetchOptions(); - fo.withUser(); - var fechOptionsTestConfig = getConfigForFetchOptions(fo); - - var fCreate = function(facade) { - return $.when(c.createRoleAssignment(facade, true)).then(function(id) { - return [ id ]; - }); - } - - var fGet = function(facade, permIds) { - testFetchOptionsAssignation(c, fo, fechOptionsTestConfig); - var result = facade.getRoleAssignments(permIds, fo); - result.then(function(map) { - permIds.forEach(function(permId) { - var entity = map[permId]; - c.assertEqual(entity.getUser().getUserId(), "power_user", "User"); - }); - }); - return result; - } - - var fGetEmptyFetchOptions = function(facade, permIds) { - return facade.getRoleAssignments(permIds, new dtos.RoleAssignmentFetchOptions()); - } - - testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig); - }); - - QUnit.test("getRoleAssignments() with authorization group", function(assert) { - var c = new common(assert, dtos); - var fo = new dtos.RoleAssignmentFetchOptions(); - fo.withAuthorizationGroup(); - var fechOptionsTestConfig = getConfigForFetchOptions(fo); - - var fCreate = function(facade) { - return $.when(c.createRoleAssignment(facade, false)).then(function(id) { - return [ id ]; - }); - } - - var fGet = function(facade, permIds) { - testFetchOptionsAssignation(c, fo, fechOptionsTestConfig); - var result = facade.getRoleAssignments(permIds, fo); - result.then(function(map) { - permIds.forEach(function(permId) { - var entity = map[permId]; - c.assertEqual(entity.getAuthorizationGroup().getCode(), "TEST-GROUP", "Authorization group"); - }); - }); - return result; - } - - var fGetEmptyFetchOptions = function(facade, permIds) { - return facade.getRoleAssignments(permIds, new dtos.RoleAssignmentFetchOptions()); - } - - testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig); - }); - - QUnit.test("getPersons()", function(assert) { - var c = new common(assert, dtos); - - var fCreate = function(facade) { - return $.when(c.createPerson(facade), c.createPerson(facade)).then(function(permId1, permId2) { - return [ permId1, permId2 ]; - }); - } - - var fGet = function(facade, permIds) { - var fo = new dtos.PersonFetchOptions(); - return facade.getPersons(permIds, fo); - } - - var fCheck = function(permIds, persons) { - c.assertEqual(Object.keys(persons).length, 2); - } - - testGetManual(c, fCreate, fGet, fCheck); - }); - - QUnit.test("getPersons() with chosen webAppSettings", function(assert) { - var WEB_APP_1 = "webApp1"; - var WEB_APP_2 = "webApp2"; - var WEB_APP_3 = "webApp3"; - - var c = new common(assert, dtos); - - var fCreate = function(facade) { - return c.createPerson(facade).then(function(permId) { - var update = new dtos.PersonUpdate(); - update.setUserId(permId); - - var webApp1Update = update.getWebAppSettings(WEB_APP_1); - webApp1Update.add(new dtos.WebAppSettingCreation("n1a", "v1a")); - webApp1Update.add(new dtos.WebAppSettingCreation("n1b", "v1b")); - - var webApp2Update = update.getWebAppSettings(WEB_APP_2); - webApp2Update.add(new dtos.WebAppSettingCreation("n2a", "v2a")); - webApp2Update.add(new dtos.WebAppSettingCreation("n2b", "v2b")); - - var webApp3Update = update.getWebAppSettings(WEB_APP_3); - webApp3Update.add(new dtos.WebAppSettingCreation("n3a", "v3a")); - - return facade.updatePersons([ update ]).then(function() { - return [ permId ]; - }); - }); - } - - var fGet = function(facade, permIds) { - var fo = new dtos.PersonFetchOptions(); - - var webApp1Fo = fo.withWebAppSettings(WEB_APP_1); - webApp1Fo.withAllSettings(); - - var webApp2Fo = fo.withWebAppSettings(WEB_APP_2); - webApp2Fo.withSetting("n2b"); - - return facade.getPersons(permIds, fo); - } - - var fCheck = function(permIds, persons) { - c.assertEqual(Object.keys(persons).length, 1); - - var person = persons[permIds[0]]; - c.assertEqual(Object.keys(person.getWebAppSettings()).length, 2); - - var webApp1 = person.getWebAppSettings(WEB_APP_1); - c.assertEqual(Object.keys(webApp1.getSettings()).length, 2); - c.assertEqual(webApp1.getSetting("n1a").getValue(), "v1a"); - c.assertEqual(webApp1.getSetting("n1b").getValue(), "v1b"); - - var webApp2 = person.getWebAppSettings(WEB_APP_2); - c.assertEqual(Object.keys(webApp2.getSettings()).length, 1); - c.assertEqual(webApp2.getSetting("n2b").getValue(), "v2b"); - } - - testGetManual(c, fCreate, fGet, fCheck); - }); - - QUnit.test("getPersons() with all webAppSettings", function(assert) { - var WEB_APP_1 = "webApp1"; - var WEB_APP_2 = "webApp2"; - var WEB_APP_3 = "webApp3"; - - var c = new common(assert, dtos); - - var fCreate = function(facade) { - return c.createPerson(facade).then(function(permId) { - var update = new dtos.PersonUpdate(); - update.setUserId(permId); - - var webApp1Update = update.getWebAppSettings(WEB_APP_1); - webApp1Update.add(new dtos.WebAppSettingCreation("n1a", "v1a")); - webApp1Update.add(new dtos.WebAppSettingCreation("n1b", "v1b")); - - var webApp2Update = update.getWebAppSettings(WEB_APP_2); - webApp2Update.add(new dtos.WebAppSettingCreation("n2a", "v2a")); - webApp2Update.add(new dtos.WebAppSettingCreation("n2b", "v2b")); - - return facade.updatePersons([ update ]).then(function() { - return [ permId ]; - }); - }); - } - - var fGet = function(facade, permIds) { - var fo = new dtos.PersonFetchOptions(); - fo.withAllWebAppSettings(); - - return facade.getPersons(permIds, fo); - } - - var fCheck = function(permIds, persons) { - c.assertEqual(Object.keys(persons).length, 1); - - var person = persons[permIds[0]]; - c.assertEqual(Object.keys(person.getWebAppSettings()).length, 2); - - var webApp1 = person.getWebAppSettings(WEB_APP_1); - c.assertEqual(Object.keys(webApp1.getSettings()).length, 2); - c.assertEqual(webApp1.getSetting("n1a").getValue(), "v1a"); - c.assertEqual(webApp1.getSetting("n1b").getValue(), "v1b"); - - var webApp2 = person.getWebAppSettings(WEB_APP_2); - c.assertEqual(Object.keys(webApp2.getSettings()).length, 2); - c.assertEqual(webApp2.getSetting("n2a").getValue(), "v2a"); - c.assertEqual(webApp2.getSetting("n2b").getValue(), "v2b"); - } - - testGetManual(c, fCreate, fGet, fCheck); - }); - - QUnit.test("getOperationExecutions()", function(assert) { - var c = new common(assert, dtos); - var fo = new dtos.OperationExecutionFetchOptions(); - var fechOptionsTestConfig = getConfigForFetchOptions(fo); - - var fCreate = function(facade) { - return $.when(c.createOperationExecution(facade), c.createOperationExecution(facade)).then(function(permId1, permId2) { - return [ permId1, permId2 ]; - }); - } - - var fGet = function(facade, permIds) { - testFetchOptionsAssignation(c, fo, fechOptionsTestConfig); - return facade.getOperationExecutions(permIds, fo); - } - - var fGetEmptyFetchOptions = function(facade, permIds) { - return facade.getOperationExecutions(permIds, new dtos.OperationExecutionFetchOptions()); - } - - testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig); - }); - - QUnit.test("getSemanticAnnotations()", function(assert) { - var c = new common(assert, dtos); - var fo = new dtos.SemanticAnnotationFetchOptions(); - var fechOptionsTestConfig = getConfigForFetchOptions(fo); - - var fCreate = function(facade) { - return $.when(c.createSemanticAnnotation(facade), c.createSemanticAnnotation(facade)).then(function(permId1, permId2) { - return [ permId1, permId2 ]; - }); - } - - var fGet = function(facade, permIds) { - testFetchOptionsAssignation(c, fo, fechOptionsTestConfig); - return facade.getSemanticAnnotations(permIds, fo); - } - - var fGetEmptyFetchOptions = function(facade, permIds) { - return facade.getSemanticAnnotations(permIds, new dtos.SemanticAnnotationFetchOptions()); - } - - testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig); - }); - - QUnit.test("getQueries()", function(assert) { - var c = new common(assert, dtos); - var fo = new dtos.QueryFetchOptions(); - var fechOptionsTestConfig = getConfigForFetchOptions(fo); - - var fCreate = function(facade) { - return $.when(c.createQuery(facade), c.createQuery(facade)).then(function(techId1, techId2) { - return [ techId1, techId2 ]; - }); - } - - var fGet = function(facade, techIds) { - testFetchOptionsAssignation(c, fo, fechOptionsTestConfig); - return facade.getQueries(techIds, fo); - } - - var fGetEmptyFetchOptions = function(facade, techIds) { - return facade.getQueries(techIds, new dtos.QueryFetchOptions()); - } - - testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig); - }); - - QUnit.test("getQueryDatabases()", function(assert) { - var c = new common(assert, dtos); - var fo = new dtos.QueryDatabaseFetchOptions(); - var fechOptionsTestConfig = getConfigForFetchOptions(fo); - - var fCreate = function(facade) { - var dfd = $.Deferred(); - dfd.resolve([ new dtos.QueryDatabaseName("openbisDB"), new dtos.QueryDatabaseName("test-query-database") ]); - return dfd.promise(); - } - - var fGet = function(facade, techIds) { - testFetchOptionsAssignation(c, fo, fechOptionsTestConfig); - return facade.getQueryDatabases(techIds, fo); - } - - var fGetEmptyFetchOptions = function(facade, techIds) { - return facade.getQueryDatabases(techIds, new dtos.QueryDatabaseFetchOptions()); - } - - testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig); - }); - - QUnit.test("getExperimentTypes()", function(assert) { - var c = new common(assert, dtos); - var fo = new dtos.ExperimentTypeFetchOptions(); - var fechOptionsTestConfig = getConfigForFetchOptions(fo); - - var fCreate = function(facade) { - return $.when(c.createExperimentType(facade), c.createExperimentType(facade)).then(function(permId1, permId2) { - return [ permId1, permId2 ]; - }); - } - - var fGet = function(facade, permIds) { - testFetchOptionsAssignation(c, fo, fechOptionsTestConfig); - return facade.getExperimentTypes(permIds, fo); - } - - var fGetEmptyFetchOptions = function(facade, permIds) { - return facade.getExperimentTypes(permIds, new dtos.ExperimentTypeFetchOptions()); - } - - testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig); - }); - - QUnit.test("getSampleTypes()", function(assert) { - var c = new common(assert, dtos); - var fo = new dtos.SampleTypeFetchOptions(); - var fechOptionsTestConfig = getConfigForFetchOptions(fo); - - var fCreate = function(facade) { - return $.when(c.createSampleType(facade), c.createSampleType(facade)).then(function(permId1, permId2) { - return [ permId1, permId2 ]; - }); - } - - var fGet = function(facade, permIds) { - testFetchOptionsAssignation(c, fo, fechOptionsTestConfig); - return facade.getSampleTypes(permIds, fo); - } - - var fGetEmptyFetchOptions = function(facade, permIds) { - return facade.getSampleTypes(permIds, new dtos.SampleTypeFetchOptions()); - } - - testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig); - }); - - QUnit.test("getDataSetTypes()", function(assert) { - var c = new common(assert, dtos); - var fo = new dtos.DataSetTypeFetchOptions(); - var fechOptionsTestConfig = getConfigForFetchOptions(fo); - - var fCreate = function(facade) { - return $.when(c.createDataSetType(facade), c.createDataSetType(facade)).then(function(permId1, permId2) { - return [ permId1, permId2 ]; - }); - } - - var fGet = function(facade, permIds) { - testFetchOptionsAssignation(c, fo, fechOptionsTestConfig); - return facade.getDataSetTypes(permIds, fo); - } - - var fGetEmptyFetchOptions = function(facade, permIds) { - return facade.getDataSetTypes(permIds, new dtos.DataSetTypeFetchOptions()); - } - - testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig); - }); - - QUnit.test("getMaterialTypes()", function(assert) { - var c = new common(assert, dtos); - var fo = new dtos.MaterialTypeFetchOptions(); - var fechOptionsTestConfig = getConfigForFetchOptions(fo); - - var fCreate = function(facade) { - return $.when(c.createMaterialType(facade), c.createMaterialType(facade)).then(function(permId1, permId2) { - return [ permId1, permId2 ]; - }); - } - - var fGet = function(facade, permIds) { - testFetchOptionsAssignation(c, fo, fechOptionsTestConfig); - return facade.getMaterialTypes(permIds, fo); - } - - var fGetEmptyFetchOptions = function(facade, permIds) { - return facade.getMaterialTypes(permIds, new dtos.MaterialTypeFetchOptions()); - } - - testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig); - }); - - QUnit.test("getRights()", function(assert) { - var c = new common(assert, dtos); - var sampleId = new dtos.SampleIdentifier("/PLATONIC/SCREENING-EXAMPLES/PLATE-2"); - c.start(); - - c.login(facade).then(function() { - return facade.getRights([sampleId], new dtos.RightsFetchOptions()).then(function(rights) { - var rights = rights[sampleId].rights; - rights.sort(); - c.assertEqual(rights, "DELETE,UPDATE", "Rights"); - c.finish(); - }); - }).fail(function(error) { - c.fail(error.message); - c.finish(); - }); - }); - - QUnit.test("getServerInformation()", function(assert) { - var c = new common(assert, dtos); - c.start(); - - c.login(facade).then(function() { - return facade.getServerInformation().then(function(serverInformation) { - c.assertTrue(serverInformation != null); - c.assertEqual(serverInformation["api-version"], "3.6", "api-version"); - c.assertEqual(serverInformation["project-samples-enabled"], "true", "project-samples-enabled"); - c.finish(); - }); - }).fail(function(error) { - c.fail(error.message); - c.finish(); - }); - }); - - QUnit.test("getServerPublicInformation()", function(assert) { - var c = new common(assert, dtos); - c.start(); - - c.login(facade).then(function() { - return facade.getServerPublicInformation().then(function(serverInformation) { - c.assertTrue(serverInformation != null); - c.assertEqual(Object.keys(serverInformation).length, 4); - c.assertEqual(serverInformation["authentication-service"], "dummy-authentication-service", "authentication-service"); - c.assertEqual(serverInformation["authentication-service.switch-aai.link"], "testSwitchAaiLink", "authentication-service.switch-aai.link"); - c.assertEqual(serverInformation["authentication-service.switch-aai.label"], "testSwitchAaiLabel", "authentication-service.switch-aai.label"); - c.assertEqual(serverInformation["openbis.support.email"], "cisd.helpdesk@bsse.ethz.ch", "openbis.support.email"); - c.finish(); - }); - }).fail(function(error) { - c.fail(error.message); - c.finish(); - }); - }); - - QUnit.test("getPersonalAccessTokens()", function(assert) { - var c = new common(assert, dtos); - var fo = new dtos.PersonalAccessTokenFetchOptions(); - var fechOptionsTestConfig = getConfigForFetchOptions(fo); - - var fCreate = function(facade) { - return $.when(c.createPersonalAccessToken(facade), c.createPersonalAccessToken(facade)).then(function(permId1, permId2) { - return [ permId1, permId2 ]; - }); - } - - var fGet = function(facade, permIds) { - testFetchOptionsAssignation(c, fo, fechOptionsTestConfig); - return facade.getPersonalAccessTokens(permIds, fo); - } - - var fGetEmptyFetchOptions = function(facade, permIds) { - return facade.getPersonalAccessTokens(permIds, new dtos.PersonalAccessTokenFetchOptions()); - } - - testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig); - }); - - } - - return function() { - executeModule("Get tests (RequireJS)", new openbis(), dtos); - executeModule("Get tests (RequireJS - executeOperations)", new openbisExecuteOperations(new openbis(), dtos), dtos); - executeModule("Get tests (module VAR)", new window.openbis.openbis(), window.openbis); - executeModule("Get tests (module VAR - executeOperations)", new openbisExecuteOperations(new window.openbis.openbis(), window.openbis), window.openbis); - executeModule("Get tests (module ESM)", new window.openbisESM.openbis(), window.openbisESM); - executeModule("Get tests (module ESM - executeOperations)", new openbisExecuteOperations(new window.openbisESM.openbis(), window.openbisESM), window.openbisESM); - } -}); diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-get.ts b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-get.ts new file mode 100644 index 0000000000000000000000000000000000000000..e03a2835dc285bb9bdb65f558942eff9d721fe81 --- /dev/null +++ b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-get.ts @@ -0,0 +1,963 @@ +import jquery from "./types/jquery" +import underscore from "./types/underscore" +import common from "./types/common" +import openbis from "./types/openbis.esm" + +exports.default = new Promise((resolve) => { + require(["jquery", "underscore", "openbis", "test/common", "test/openbis-execute-operations", "test/dtos"], function ( + $: jquery.JQueryStatic, + _: underscore.UnderscoreStatic, + openbisRequireJS, + common: common.CommonConstructor, + openbisExecuteOperations, + dtos + ) { + var executeModule = function (moduleName: string, facade: openbis.openbis, dtos: openbis.bundle) { + QUnit.module(moduleName) + + var testGet = function (c: common.CommonClass, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig) { + c.start() + c.login(facade) + .then(function () { + return fCreate(facade).then(function (permIds) { + c.assertTrue(permIds != null && permIds.length > 0, "Entities were created") + return fGet(facade, permIds).then(function (map) { + c.assertEqual(Object.keys(map).length, permIds.length, "Entity map size is correct") + permIds.forEach(function (permId) { + var entity = map[permId] + testFetchOptionsResults(c, fechOptionsTestConfig, true, entity) + c.assertEqual(c.getId(entity).toString(), permId.toString(), "Entity perm id matches") + }) + return fGetEmptyFetchOptions(facade, permIds).then(function (map) { + c.assertEqual(Object.keys(map).length, permIds.length, "Entity map size is correct") + permIds.forEach(function (permId) { + var entity = map[permId] + testFetchOptionsResults(c, fechOptionsTestConfig, false, entity) + c.assertEqual(c.getId(entity).toString(), permId.toString(), "Entity perm id matches") + }) + c.finish() + }) + }) + }) + }) + .fail(function (error) { + c.fail(error.message) + c.finish() + }) + } + + var testGetManual = function (c: common.CommonClass, fCreate, fGet, fCheck) { + c.start() + c.login(facade) + .then(function () { + return fCreate(facade).then(function (permIds) { + return fGet(facade, permIds).then(function (persons) { + fCheck(permIds, persons) + c.finish() + }) + }) + }) + .fail(function (error) { + c.fail(error.message) + c.finish() + }) + } + + var testFetchOptionsAssignation = function (c: common.CommonClass, fo, toTest) { + for (var component in toTest) { + if (component === "SortBy") { + fo.sortBy().code() + c.assertEqual(true, fo.getSortBy() ? true : false, "Component " + component + " set on Fetch Options.") + } else { + var methodNameWithUsing = "with" + component + "Using" + if (typeof fo[methodNameWithUsing] === "function") { + fo[methodNameWithUsing](null) + } else { + throw methodNameWithUsing + " should be a method." + } + + var methodNameWith = "with" + component + if (typeof fo[methodNameWith] === "function") { + fo[methodNameWith]() + } else { + throw methodNameWith + " should be a method." + } + + var methodNameHas = "has" + component + if (typeof fo[methodNameHas] === "function") { + c.assertEqual(true, fo[methodNameHas](), "Component " + component + " set on Fetch Options.") + } else { + throw methodNameHas + " should be a method." + } + } + } + } + + var testFetchOptionsResults = function (c: common.CommonClass, toTest, expectedShouldSucceed, entity) { + for (var property in toTest) { + if (property !== "SortBy") { + var methodName = "get" + property + var errorFound = null + if (typeof entity[methodName] === "function") { + try { + var result = entity[methodName]() // Should not + // thrown an + // exception, + // what it means + // is right! + } catch (error) { + errorFound = error + } + var msg = expectedShouldSucceed ? "Succeed" : "Fail" + c.assertEqual(expectedShouldSucceed, !errorFound, "Calling method " + methodName + " expected to " + msg) + } else { + throw methodName + " should be a method." + } + } + } + } + + var getMethods = function (obj) { + var result = [] + for (var id in obj) { + try { + if (typeof obj[id] == "function") { + result.push(id + ": " + obj[id].toString()) + } + } catch (err) { + result.push(id + ": inaccessible") + } + } + return result + } + + var getConfigForFetchOptions = function (fo): any { + var components = {} + var methods = getMethods(fo) + for (var mIdx = 0; mIdx < methods.length; mIdx++) { + var method = methods[mIdx] + if (method.startsWith("has")) { + var component = method.substring(3, method.indexOf(":")) + components[component] = null + } + } + return components + } + + QUnit.test("getSpaces()", function (assert) { + var c = new common(assert, dtos) + var fo = new dtos.SpaceFetchOptions() + var fechOptionsTestConfig = getConfigForFetchOptions(fo) + fechOptionsTestConfig.SortBy = null + + var fCreate = function (facade: openbis.openbis) { + return $.when(c.createSpace(facade), c.createSpace(facade)).then(function (permId1, permId2) { + return [permId1, permId2] + }) + } + + var fGet = function (facade: openbis.openbis, permIds: openbis.SpacePermId[]) { + testFetchOptionsAssignation(c, fo, fechOptionsTestConfig) + return facade.getSpaces(permIds, fo) + } + + var fGetEmptyFetchOptions = function (facade: openbis.openbis, permIds: openbis.SpacePermId[]) { + return facade.getSpaces(permIds, new dtos.SpaceFetchOptions()) + } + + testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig) + }) + + QUnit.test("getProjects()", function (assert) { + var c = new common(assert, dtos) + var fo = new dtos.ProjectFetchOptions() + var fechOptionsTestConfig = getConfigForFetchOptions(fo) + fechOptionsTestConfig.SortBy = null + + var fCreate = function (facade: openbis.openbis) { + return $.when(c.createProject(facade), c.createProject(facade)).then(function (permId1, permId2) { + return [permId1, permId2] + }) + } + + var fGet = function (facade: openbis.openbis, permIds: openbis.ProjectPermId[]) { + testFetchOptionsAssignation(c, fo, fechOptionsTestConfig) + return facade.getProjects(permIds, fo) + } + + var fGetEmptyFetchOptions = function (facade: openbis.openbis, permIds: openbis.ProjectPermId[]) { + return facade.getProjects(permIds, new dtos.ProjectFetchOptions()) + } + + testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig) + }) + + QUnit.test("getExperiments()", function (assert) { + var c = new common(assert, dtos) + var fo = new dtos.ExperimentFetchOptions() + var fechOptionsTestConfig = getConfigForFetchOptions(fo) + fechOptionsTestConfig.SortBy = null + + var fCreate = function (facade: openbis.openbis) { + return $.when(c.createExperiment(facade), c.createExperiment(facade)).then(function (permId1, permId2) { + return [permId1, permId2] + }) + } + + var fGet = function (facade: openbis.openbis, permIds: openbis.ExperimentPermId[]) { + testFetchOptionsAssignation(c, fo, fechOptionsTestConfig) + return facade.getExperiments(permIds, fo) + } + + var fGetEmptyFetchOptions = function (facade: openbis.openbis, permIds: openbis.ExperimentPermId[]) { + return facade.getExperiments(permIds, new dtos.ExperimentFetchOptions()) + } + + testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig) + }) + + QUnit.test("getSamples()", function (assert) { + var c = new common(assert, dtos) + var fo = new dtos.SampleFetchOptions() + var fechOptionsTestConfig = getConfigForFetchOptions(fo) + fechOptionsTestConfig.SortBy = null + + var fCreate = function (facade: openbis.openbis) { + return $.when(c.createSample(facade), c.createSample(facade)).then(function (permId1, permId2) { + return [permId1, permId2] + }) + } + + var fGet = function (facade: openbis.openbis, permIds: openbis.SamplePermId[]) { + testFetchOptionsAssignation(c, fo, fechOptionsTestConfig) + return facade.getSamples(permIds, fo) + } + + var fGetEmptyFetchOptions = function (facade: openbis.openbis, permIds: openbis.SamplePermId[]) { + return facade.getSamples(permIds, new dtos.SampleFetchOptions()) + } + + testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig) + }) + + QUnit.test("getDataSets()", function (assert) { + var c = new common(assert, dtos) + var fo = new dtos.DataSetFetchOptions() + var fechOptionsTestConfig = getConfigForFetchOptions(fo) + fechOptionsTestConfig.SortBy = null + + var fCreate = function (facade: openbis.openbis) { + return $.when(c.createDataSet(facade, "ALIGNMENT"), c.createDataSet(facade, "UNKNOWN")).then(function (permId1, permId2) { + return [permId1, permId2] + }) + } + + var fGet = function (facade: openbis.openbis, permIds: openbis.DataSetPermId[]) { + testFetchOptionsAssignation(c, fo, fechOptionsTestConfig) + var result = facade.getDataSets(permIds, fo) + + result.then(function (map) { + permIds.forEach(function (permId) { + var entity = map[permId.toString()] + c.assertEqual(entity.isPostRegistered(), false, "post registered for " + permId) + }) + }) + return result + } + + var fGetEmptyFetchOptions = function (facade: openbis.openbis, permIds: openbis.DataSetPermId[]) { + var result = facade.getDataSets(permIds, new dtos.DataSetFetchOptions()) + + result.then(function (map) { + permIds.forEach(function (permId) { + var entity = map[permId.toString()] + c.assertEqual(entity.isPostRegistered(), false, "post registered for " + permId) + }) + }) + return result + } + + testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig) + }) + + QUnit.test("getMaterials()", function (assert) { + var c = new common(assert, dtos) + var fo = new dtos.MaterialFetchOptions() + var fechOptionsTestConfig = getConfigForFetchOptions(fo) + fechOptionsTestConfig.SortBy = null + + var fCreate = function (facade: openbis.openbis) { + return $.when(c.createMaterial(facade), c.createMaterial(facade)).then(function (permId1, permId2) { + return [permId1, permId2] + }) + } + + var fGet = function (facade: openbis.openbis, permIds: openbis.MaterialPermId[]) { + testFetchOptionsAssignation(c, fo, fechOptionsTestConfig) + return facade.getMaterials(permIds, fo) + } + + var fGetEmptyFetchOptions = function (facade: openbis.openbis, permIds: openbis.MaterialPermId[]) { + return facade.getMaterials(permIds, new dtos.MaterialFetchOptions()) + } + + testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig) + }) + + QUnit.test("getPropertyTypes()", function (assert) { + var c = new common(assert, dtos) + var fo = new dtos.PropertyTypeFetchOptions() + var fechOptionsTestConfig = getConfigForFetchOptions(fo) + fechOptionsTestConfig.SortBy = null + + var fCreate = function (facade: openbis.openbis) { + return $.when(c.createPropertyType(facade), c.createPropertyType(facade)).then(function (permId1, permId2) { + return [permId1, permId2] + }) + } + + var fGet = function (facade: openbis.openbis, permIds: openbis.PropertyTypePermId[]) { + testFetchOptionsAssignation(c, fo, fechOptionsTestConfig) + return facade.getPropertyTypes(permIds, fo) + } + + var fGetEmptyFetchOptions = function (facade: openbis.openbis, permIds: openbis.PropertyTypePermId[]) { + return facade.getPropertyTypes(permIds, new dtos.PropertyTypeFetchOptions()) + } + + testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig) + }) + + QUnit.test("getPlugins()", function (assert) { + var c = new common(assert, dtos) + var fo = new dtos.PluginFetchOptions() + var fechOptionsTestConfig = getConfigForFetchOptions(fo) + + var fCreate = function (facade: openbis.openbis) { + return $.when(c.createPlugin(facade), c.createPlugin(facade)).then(function (permId1, permId2) { + return [permId1, permId2] + }) + } + + var fGet = function (facade: openbis.openbis, permIds: openbis.PluginPermId[]) { + testFetchOptionsAssignation(c, fo, fechOptionsTestConfig) + return facade.getPlugins(permIds, fo) + } + + var fGetEmptyFetchOptions = function (facade: openbis.openbis, permIds: openbis.PluginPermId[]) { + return facade.getPlugins(permIds, new dtos.PluginFetchOptions()) + } + + testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig) + }) + + QUnit.test("getVocabularies()", function (assert) { + var c = new common(assert, dtos) + var fo = new dtos.VocabularyFetchOptions() + var fechOptionsTestConfig = getConfigForFetchOptions(fo) + fechOptionsTestConfig.SortBy = null + + var fCreate = function (facade: openbis.openbis) { + return $.when(c.createVocabulary(facade), c.createVocabulary(facade)).then(function (permId1, permId2) { + return [permId1, permId2] + }) + } + + var fGet = function (facade: openbis.openbis, permIds: openbis.VocabularyPermId[]) { + testFetchOptionsAssignation(c, fo, fechOptionsTestConfig) + return facade.getVocabularies(permIds, fo) + } + + var fGetEmptyFetchOptions = function (facade: openbis.openbis, permIds: openbis.VocabularyPermId[]) { + return facade.getVocabularies(permIds, new dtos.VocabularyFetchOptions()) + } + + testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig) + }) + + QUnit.test("getVocabularyTerms()", function (assert) { + var c = new common(assert, dtos) + var fo = new dtos.VocabularyTermFetchOptions() + var fechOptionsTestConfig = getConfigForFetchOptions(fo) + fechOptionsTestConfig.SortBy = null + + var fCreate = function (facade: openbis.openbis) { + return $.when(c.createVocabularyTerm(facade), c.createVocabularyTerm(facade)).then(function (permId1, permId2) { + return [permId1, permId2] + }) + } + + var fGet = function (facade: openbis.openbis, permIds: openbis.VocabularyTermPermId[]) { + testFetchOptionsAssignation(c, fo, fechOptionsTestConfig) + return facade.getVocabularyTerms(permIds, fo) + } + + var fGetEmptyFetchOptions = function (facade: openbis.openbis, permIds: openbis.VocabularyTermPermId[]) { + return facade.getVocabularyTerms(permIds, new dtos.VocabularyTermFetchOptions()) + } + + testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig) + }) + + QUnit.test("getExternalDms()", function (assert) { + var c = new common(assert, dtos) + var fo = new dtos.ExternalDmsFetchOptions() + var fechOptionsTestConfig = getConfigForFetchOptions(fo) + + var fCreate = function (facade: openbis.openbis) { + return $.when(c.createExternalDms(facade), c.createExternalDms(facade)).then(function (permId1, permId2) { + return [permId1, permId2] + }) + } + + var fGet = function (facade: openbis.openbis, permIds: openbis.ExternalDmsPermId[]) { + testFetchOptionsAssignation(c, fo, fechOptionsTestConfig) + return facade.getExternalDataManagementSystems(permIds, fo) + } + + var fGetEmptyFetchOptions = function (facade: openbis.openbis, permIds: openbis.ExternalDmsPermId[]) { + return facade.getExternalDataManagementSystems(permIds, new dtos.ExternalDmsFetchOptions()) + } + + testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig) + }) + + QUnit.test("getTags()", function (assert) { + var c = new common(assert, dtos) + var fo = new dtos.TagFetchOptions() + var fechOptionsTestConfig = getConfigForFetchOptions(fo) + fechOptionsTestConfig.SortBy = null + + var fCreate = function (facade: openbis.openbis) { + return $.when(c.createTag(facade), c.createTag(facade)).then(function (permId1, permId2) { + return [permId1, permId2] + }) + } + + var fGet = function (facade: openbis.openbis, permIds: openbis.TagPermId[]) { + testFetchOptionsAssignation(c, fo, fechOptionsTestConfig) + return facade.getTags(permIds, fo) + } + + var fGetEmptyFetchOptions = function (facade: openbis.openbis, permIds: openbis.TagPermId[]) { + return facade.getTags(permIds, new dtos.TagFetchOptions()) + } + + testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig) + }) + + QUnit.test("getAuthorizationGroups()", function (assert) { + var c = new common(assert, dtos) + var fo = new dtos.AuthorizationGroupFetchOptions() + var fechOptionsTestConfig = getConfigForFetchOptions(fo) + fechOptionsTestConfig.SortBy = null + + var fCreate = function (facade: openbis.openbis) { + return $.when(c.createAuthorizationGroup(facade), c.createAuthorizationGroup(facade)).then(function (permId1, permId2) { + return [permId1, permId2] + }) + } + + var fGet = function (facade: openbis.openbis, permIds: openbis.AuthorizationGroupPermId[]) { + testFetchOptionsAssignation(c, fo, fechOptionsTestConfig) + return facade.getAuthorizationGroups(permIds, fo) + } + + var fGetEmptyFetchOptions = function (facade: openbis.openbis, permIds: openbis.AuthorizationGroupPermId[]) { + return facade.getAuthorizationGroups(permIds, new dtos.AuthorizationGroupFetchOptions()) + } + + testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig) + }) + + QUnit.test("getRoleAssignments() with user", function (assert) { + var c = new common(assert, dtos) + var fo = new dtos.RoleAssignmentFetchOptions() + fo.withUser() + var fechOptionsTestConfig = getConfigForFetchOptions(fo) + + var fCreate = function (facade: openbis.openbis) { + return $.when(c.createRoleAssignment(facade, true)).then(function (id) { + return [id] + }) + } + + var fGet = function (facade: openbis.openbis, permIds: openbis.RoleAssignmentTechId[]) { + testFetchOptionsAssignation(c, fo, fechOptionsTestConfig) + var result = facade.getRoleAssignments(permIds, fo) + result.then(function (map) { + permIds.forEach(function (permId) { + var entity = map[permId.toString()] + c.assertEqual(entity.getUser().getUserId(), "power_user", "User") + }) + }) + return result + } + + var fGetEmptyFetchOptions = function (facade: openbis.openbis, permIds: openbis.RoleAssignmentTechId[]) { + return facade.getRoleAssignments(permIds, new dtos.RoleAssignmentFetchOptions()) + } + + testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig) + }) + + QUnit.test("getRoleAssignments() with authorization group", function (assert) { + var c = new common(assert, dtos) + var fo = new dtos.RoleAssignmentFetchOptions() + fo.withAuthorizationGroup() + var fechOptionsTestConfig = getConfigForFetchOptions(fo) + + var fCreate = function (facade: openbis.openbis) { + return $.when(c.createRoleAssignment(facade, false)).then(function (id) { + return [id] + }) + } + + var fGet = function (facade: openbis.openbis, permIds: openbis.RoleAssignmentTechId[]) { + testFetchOptionsAssignation(c, fo, fechOptionsTestConfig) + var result = facade.getRoleAssignments(permIds, fo) + result.then(function (map) { + permIds.forEach(function (permId) { + var entity = map[permId.toString()] + c.assertEqual(entity.getAuthorizationGroup().getCode(), "TEST-GROUP", "Authorization group") + }) + }) + return result + } + + var fGetEmptyFetchOptions = function (facade: openbis.openbis, permIds: openbis.RoleAssignmentTechId[]) { + return facade.getRoleAssignments(permIds, new dtos.RoleAssignmentFetchOptions()) + } + + testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig) + }) + + QUnit.test("getPersons()", function (assert) { + var c = new common(assert, dtos) + + var fCreate = function (facade: openbis.openbis) { + return $.when(c.createPerson(facade), c.createPerson(facade)).then(function (permId1, permId2) { + return [permId1, permId2] + }) + } + + var fGet = function (facade: openbis.openbis, permIds: openbis.PersonPermId[]) { + var fo = new dtos.PersonFetchOptions() + return facade.getPersons(permIds, fo) + } + + var fCheck = function (permIds: openbis.PersonPermId[], persons: { [index: string]: openbis.Person }) { + c.assertEqual(Object.keys(persons).length, 2) + } + + testGetManual(c, fCreate, fGet, fCheck) + }) + + QUnit.test("getPersons() with chosen webAppSettings", function (assert) { + var WEB_APP_1 = "webApp1" + var WEB_APP_2 = "webApp2" + var WEB_APP_3 = "webApp3" + + var c = new common(assert, dtos) + + var fCreate = function (facade: openbis.openbis) { + return c.createPerson(facade).then(function (permId) { + var update = new dtos.PersonUpdate() + update.setUserId(permId) + + var webApp1Update = update.getWebAppSettings(WEB_APP_1) + webApp1Update.add([new dtos.WebAppSettingCreation("n1a", "v1a")]) + webApp1Update.add([new dtos.WebAppSettingCreation("n1b", "v1b")]) + + var webApp2Update = update.getWebAppSettings(WEB_APP_2) + webApp2Update.add([new dtos.WebAppSettingCreation("n2a", "v2a")]) + webApp2Update.add([new dtos.WebAppSettingCreation("n2b", "v2b")]) + + var webApp3Update = update.getWebAppSettings(WEB_APP_3) + webApp3Update.add([new dtos.WebAppSettingCreation("n3a", "v3a")]) + + return facade.updatePersons([update]).then(function () { + return [permId] + }) + }) + } + + var fGet = function (facade: openbis.openbis, permIds: openbis.PersonPermId[]) { + var fo = new dtos.PersonFetchOptions() + + var webApp1Fo = fo.withWebAppSettings(WEB_APP_1) + webApp1Fo.withAllSettings() + + var webApp2Fo = fo.withWebAppSettings(WEB_APP_2) + webApp2Fo.withSetting("n2b") + + return facade.getPersons(permIds, fo) + } + + var fCheck = function (permIds: openbis.PersonPermId[], persons: { [index: string]: openbis.Person }) { + c.assertEqual(Object.keys(persons).length, 1) + + var person = persons[permIds[0].toString()] + c.assertEqual(Object.keys(person.getWebAppSettings()).length, 2) + + var webApp1 = person.getWebAppSettings(WEB_APP_1) + c.assertEqual(Object.keys(webApp1.getSettings()).length, 2) + c.assertEqual(webApp1.getSetting("n1a").getValue(), "v1a") + c.assertEqual(webApp1.getSetting("n1b").getValue(), "v1b") + + var webApp2 = person.getWebAppSettings(WEB_APP_2) + c.assertEqual(Object.keys(webApp2.getSettings()).length, 1) + c.assertEqual(webApp2.getSetting("n2b").getValue(), "v2b") + } + + testGetManual(c, fCreate, fGet, fCheck) + }) + + QUnit.test("getPersons() with all webAppSettings", function (assert) { + var WEB_APP_1 = "webApp1" + var WEB_APP_2 = "webApp2" + var WEB_APP_3 = "webApp3" + + var c = new common(assert, dtos) + + var fCreate = function (facade: openbis.openbis) { + return c.createPerson(facade).then(function (permId) { + var update = new dtos.PersonUpdate() + update.setUserId(permId) + + var webApp1Update = update.getWebAppSettings(WEB_APP_1) + webApp1Update.add([new dtos.WebAppSettingCreation("n1a", "v1a")]) + webApp1Update.add([new dtos.WebAppSettingCreation("n1b", "v1b")]) + + var webApp2Update = update.getWebAppSettings(WEB_APP_2) + webApp2Update.add([new dtos.WebAppSettingCreation("n2a", "v2a")]) + webApp2Update.add([new dtos.WebAppSettingCreation("n2b", "v2b")]) + + return facade.updatePersons([update]).then(function () { + return [permId] + }) + }) + } + + var fGet = function (facade: openbis.openbis, permIds: openbis.PersonPermId[]) { + var fo = new dtos.PersonFetchOptions() + fo.withAllWebAppSettings() + + return facade.getPersons(permIds, fo) + } + + var fCheck = function (permIds: openbis.PersonPermId[], persons: { [index: string]: openbis.Person }) { + c.assertEqual(Object.keys(persons).length, 1) + + var person = persons[permIds[0].toString()] + c.assertEqual(Object.keys(person.getWebAppSettings()).length, 2) + + var webApp1 = person.getWebAppSettings(WEB_APP_1) + c.assertEqual(Object.keys(webApp1.getSettings()).length, 2) + c.assertEqual(webApp1.getSetting("n1a").getValue(), "v1a") + c.assertEqual(webApp1.getSetting("n1b").getValue(), "v1b") + + var webApp2 = person.getWebAppSettings(WEB_APP_2) + c.assertEqual(Object.keys(webApp2.getSettings()).length, 2) + c.assertEqual(webApp2.getSetting("n2a").getValue(), "v2a") + c.assertEqual(webApp2.getSetting("n2b").getValue(), "v2b") + } + + testGetManual(c, fCreate, fGet, fCheck) + }) + + QUnit.test("getOperationExecutions()", function (assert) { + var c = new common(assert, dtos) + var fo = new dtos.OperationExecutionFetchOptions() + var fechOptionsTestConfig = getConfigForFetchOptions(fo) + + var fCreate = function (facade: openbis.openbis) { + return $.when(c.createOperationExecution(facade), c.createOperationExecution(facade)).then(function (permId1, permId2) { + return [permId1, permId2] + }) + } + + var fGet = function (facade: openbis.openbis, permIds: openbis.OperationExecutionPermId[]) { + testFetchOptionsAssignation(c, fo, fechOptionsTestConfig) + return facade.getOperationExecutions(permIds, fo) + } + + var fGetEmptyFetchOptions = function (facade: openbis.openbis, permIds: openbis.OperationExecutionPermId[]) { + return facade.getOperationExecutions(permIds, new dtos.OperationExecutionFetchOptions()) + } + + testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig) + }) + + QUnit.test("getSemanticAnnotations()", function (assert) { + var c = new common(assert, dtos) + var fo = new dtos.SemanticAnnotationFetchOptions() + var fechOptionsTestConfig = getConfigForFetchOptions(fo) + + var fCreate = function (facade: openbis.openbis) { + return $.when(c.createSemanticAnnotation(facade), c.createSemanticAnnotation(facade)).then(function (permId1, permId2) { + return [permId1, permId2] + }) + } + + var fGet = function (facade: openbis.openbis, permIds: openbis.SemanticAnnotationPermId[]) { + testFetchOptionsAssignation(c, fo, fechOptionsTestConfig) + return facade.getSemanticAnnotations(permIds, fo) + } + + var fGetEmptyFetchOptions = function (facade: openbis.openbis, permIds: openbis.SemanticAnnotationPermId[]) { + return facade.getSemanticAnnotations(permIds, new dtos.SemanticAnnotationFetchOptions()) + } + + testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig) + }) + + QUnit.test("getQueries()", function (assert) { + var c = new common(assert, dtos) + var fo = new dtos.QueryFetchOptions() + var fechOptionsTestConfig = getConfigForFetchOptions(fo) + + var fCreate = function (facade: openbis.openbis) { + return $.when(c.createQuery(facade), c.createQuery(facade)).then(function (techId1, techId2) { + return [techId1, techId2] + }) + } + + var fGet = function (facade: openbis.openbis, techIds: openbis.QueryTechId[]) { + testFetchOptionsAssignation(c, fo, fechOptionsTestConfig) + return facade.getQueries(techIds, fo) + } + + var fGetEmptyFetchOptions = function (facade: openbis.openbis, techIds: openbis.QueryTechId[]) { + return facade.getQueries(techIds, new dtos.QueryFetchOptions()) + } + + testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig) + }) + + QUnit.test("getQueryDatabases()", function (assert) { + var c = new common(assert, dtos) + var fo = new dtos.QueryDatabaseFetchOptions() + var fechOptionsTestConfig = getConfigForFetchOptions(fo) + + var fCreate = function (facade: openbis.openbis) { + var dfd = $.Deferred() + dfd.resolve([new dtos.QueryDatabaseName("openbisDB"), new dtos.QueryDatabaseName("test-query-database")]) + return dfd.promise() + } + + var fGet = function (facade: openbis.openbis, techIds: openbis.QueryDatabaseName[]) { + testFetchOptionsAssignation(c, fo, fechOptionsTestConfig) + return facade.getQueryDatabases(techIds, fo) + } + + var fGetEmptyFetchOptions = function (facade: openbis.openbis, techIds: openbis.QueryDatabaseName[]) { + return facade.getQueryDatabases(techIds, new dtos.QueryDatabaseFetchOptions()) + } + + testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig) + }) + + QUnit.test("getExperimentTypes()", function (assert) { + var c = new common(assert, dtos) + var fo = new dtos.ExperimentTypeFetchOptions() + var fechOptionsTestConfig = getConfigForFetchOptions(fo) + + var fCreate = function (facade: openbis.openbis) { + return $.when(c.createExperimentType(facade), c.createExperimentType(facade)).then(function (permId1, permId2) { + return [permId1, permId2] + }) + } + + var fGet = function (facade: openbis.openbis, permIds: openbis.EntityTypePermId[]) { + testFetchOptionsAssignation(c, fo, fechOptionsTestConfig) + return facade.getExperimentTypes(permIds, fo) + } + + var fGetEmptyFetchOptions = function (facade: openbis.openbis, permIds: openbis.EntityTypePermId[]) { + return facade.getExperimentTypes(permIds, new dtos.ExperimentTypeFetchOptions()) + } + + testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig) + }) + + QUnit.test("getSampleTypes()", function (assert) { + var c = new common(assert, dtos) + var fo = new dtos.SampleTypeFetchOptions() + var fechOptionsTestConfig = getConfigForFetchOptions(fo) + + var fCreate = function (facade: openbis.openbis) { + return $.when(c.createSampleType(facade), c.createSampleType(facade)).then(function (permId1, permId2) { + return [permId1, permId2] + }) + } + + var fGet = function (facade: openbis.openbis, permIds: openbis.EntityTypePermId[]) { + testFetchOptionsAssignation(c, fo, fechOptionsTestConfig) + return facade.getSampleTypes(permIds, fo) + } + + var fGetEmptyFetchOptions = function (facade: openbis.openbis, permIds: openbis.EntityTypePermId[]) { + return facade.getSampleTypes(permIds, new dtos.SampleTypeFetchOptions()) + } + + testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig) + }) + + QUnit.test("getDataSetTypes()", function (assert) { + var c = new common(assert, dtos) + var fo = new dtos.DataSetTypeFetchOptions() + var fechOptionsTestConfig = getConfigForFetchOptions(fo) + + var fCreate = function (facade: openbis.openbis) { + return $.when(c.createDataSetType(facade), c.createDataSetType(facade)).then(function (permId1, permId2) { + return [permId1, permId2] + }) + } + + var fGet = function (facade: openbis.openbis, permIds: openbis.EntityTypePermId[]) { + testFetchOptionsAssignation(c, fo, fechOptionsTestConfig) + return facade.getDataSetTypes(permIds, fo) + } + + var fGetEmptyFetchOptions = function (facade: openbis.openbis, permIds: openbis.EntityTypePermId[]) { + return facade.getDataSetTypes(permIds, new dtos.DataSetTypeFetchOptions()) + } + + testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig) + }) + + QUnit.test("getMaterialTypes()", function (assert) { + var c = new common(assert, dtos) + var fo = new dtos.MaterialTypeFetchOptions() + var fechOptionsTestConfig = getConfigForFetchOptions(fo) + + var fCreate = function (facade: openbis.openbis) { + return $.when(c.createMaterialType(facade), c.createMaterialType(facade)).then(function (permId1, permId2) { + return [permId1, permId2] + }) + } + + var fGet = function (facade: openbis.openbis, permIds: openbis.EntityTypePermId[]) { + testFetchOptionsAssignation(c, fo, fechOptionsTestConfig) + return facade.getMaterialTypes(permIds, fo) + } + + var fGetEmptyFetchOptions = function (facade: openbis.openbis, permIds: openbis.EntityTypePermId[]) { + return facade.getMaterialTypes(permIds, new dtos.MaterialTypeFetchOptions()) + } + + testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig) + }) + + QUnit.test("getRights()", function (assert) { + var c = new common(assert, dtos) + var sampleId = new dtos.SampleIdentifier("/PLATONIC/SCREENING-EXAMPLES/PLATE-2") + c.start() + + c.login(facade) + .then(function () { + return facade.getRights([sampleId], new dtos.RightsFetchOptions()).then(function (rightsMap) { + var rights = rightsMap[sampleId.toString()].getRights() + rights.sort() + c.assertEqual(rights, "DELETE,UPDATE", "Rights") + c.finish() + }) + }) + .fail(function (error) { + c.fail(error.message) + c.finish() + }) + }) + + QUnit.test("getServerInformation()", function (assert) { + var c = new common(assert, dtos) + c.start() + + c.login(facade) + .then(function () { + return facade.getServerInformation().then(function (serverInformation) { + c.assertTrue(serverInformation != null) + c.assertEqual(serverInformation["api-version"], "3.6", "api-version") + c.assertEqual(serverInformation["project-samples-enabled"], "true", "project-samples-enabled") + c.finish() + }) + }) + .fail(function (error) { + c.fail(error.message) + c.finish() + }) + }) + + QUnit.test("getServerPublicInformation()", function (assert) { + var c = new common(assert, dtos) + c.start() + + c.login(facade) + .then(function () { + return facade.getServerPublicInformation().then(function (serverInformation) { + c.assertTrue(serverInformation != null) + c.assertEqual(Object.keys(serverInformation).length, 4) + c.assertEqual(serverInformation["authentication-service"], "dummy-authentication-service", "authentication-service") + c.assertEqual( + serverInformation["authentication-service.switch-aai.link"], + "testSwitchAaiLink", + "authentication-service.switch-aai.link" + ) + c.assertEqual( + serverInformation["authentication-service.switch-aai.label"], + "testSwitchAaiLabel", + "authentication-service.switch-aai.label" + ) + c.assertEqual(serverInformation["openbis.support.email"], "cisd.helpdesk@bsse.ethz.ch", "openbis.support.email") + c.finish() + }) + }) + .fail(function (error) { + c.fail(error.message) + c.finish() + }) + }) + + QUnit.test("getPersonalAccessTokens()", function (assert) { + var c = new common(assert, dtos) + var fo = new dtos.PersonalAccessTokenFetchOptions() + var fechOptionsTestConfig = getConfigForFetchOptions(fo) + + var fCreate = function (facade: openbis.openbis) { + return $.when(c.createPersonalAccessToken(facade), c.createPersonalAccessToken(facade)).then(function (permId1, permId2) { + return [permId1, permId2] + }) + } + + var fGet = function (facade: openbis.openbis, permIds: openbis.PersonalAccessTokenPermId[]) { + testFetchOptionsAssignation(c, fo, fechOptionsTestConfig) + return facade.getPersonalAccessTokens(permIds, fo) + } + + var fGetEmptyFetchOptions = function (facade: openbis.openbis, permIds: openbis.PersonalAccessTokenPermId[]) { + return facade.getPersonalAccessTokens(permIds, new dtos.PersonalAccessTokenFetchOptions()) + } + + testGet(c, fCreate, fGet, fGetEmptyFetchOptions, fechOptionsTestConfig) + }) + } + + resolve(function () { + executeModule("Get tests (RequireJS)", new openbisRequireJS(), dtos) + executeModule("Get tests (RequireJS - executeOperations)", new openbisExecuteOperations(new openbisRequireJS(), dtos), dtos) + executeModule("Get tests (module VAR)", new window.openbis.openbis(), window.openbis) + executeModule( + "Get tests (module VAR - executeOperations)", + new openbisExecuteOperations(new window.openbis.openbis(), window.openbis), + window.openbis + ) + executeModule("Get tests (module ESM)", new window.openbisESM.openbis(), window.openbisESM) + executeModule( + "Get tests (module ESM - executeOperations)", + new openbisExecuteOperations(new window.openbisESM.openbis(), window.openbisESM), + window.openbisESM + ) + }) + }) +}) diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-import-export.js b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-import-export.js deleted file mode 100644 index 00ef6f88a2662350c7af3da1bdf15ba1a4bd6980..0000000000000000000000000000000000000000 --- a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-import-export.js +++ /dev/null @@ -1,195 +0,0 @@ -/* - * Copyright ETH 2023 Zürich, Scientific IT Services - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - * - */ - -define([ 'jquery', 'underscore', 'openbis', 'test/openbis-execute-operations', 'test/common', 'test/dtos' ], - function($, _, openbis, openbisExecuteOperations, common, dtos) { - var fileContent = "UEsDBBQACAgIAEh8FVcAAAAAAAAAAAAAAAALAAAAX3JlbHMvLnJlbHOtksFOwzAMhu97iir3Nd1ACKGmu0xIuyE0HsAkbhu1iaPEg/L2RBMSDI2" + - "yw45xfn/+YqXeTG4s3jAmS16JVVmJAr0mY32nxMv+cXkvNs2ifsYROEdSb0Mqco9PSvTM4UHKpHt0kEoK6PNNS9EB52PsZAA9QIdyXVV3Mv5kiOaEWeyMEnFnVqLYfwS8hE1ta" + - "zVuSR8cej4z4lcikyF2yEpMo3ynOLwSDWWGCnneZX25y9/vlA4ZDDBITRGXIebuyBbTt44h/ZTL6ZiYE7q55nJwYvQGzbwShDBndHtNI31ITO6fFR0zX0qLWp78y+YTUEsHCIW" + - "aNJruAAAAzgIAAFBLAwQUAAgICABIfBVXAAAAAAAAAAAAAAAAGgAAAHhsL19yZWxzL3dvcmtib29rLnhtbC5yZWxzrZFNa8MwDIbv/RVG98VJB2OMOL2MQa/9+AHGUeLQxDaS1" + - "rX/fi4bWwpl7NCT0Nfzvkj16jSN6ojEQwwGqqIEhcHFdgi9gf3u7eEZVs2i3uBoJY+wHxKrvBPYgBdJL1qz8zhZLmLCkDtdpMlKTqnXybqD7VEvy/JJ05wBzRVTrVsDtG4rULt" + - "zwv+wY9cNDl+je58wyA0JzXIekTPRUo9i4CsvMgf0bfnlPeU/Ih3YI8qvg59SNncJ1V9mHu96C28J261Qfuz8JPPyt5lFra/e3XwCUEsHCE/w+XrSAAAAJQIAAFBLAwQUAAgIC" + - "ABIfBVXAAAAAAAAAAAAAAAADwAAAHhsL3dvcmtib29rLnhtbI1T23LaMBB971d49A6+cCkwmAw1eJKZ3iakybNsr7GKLHmkJUA6/feuZZym0z70AaS96OzZ3ePlzbmW3jMYK7S" + - "KWTgMmAcq14VQ+5h9e0gHM+ZZ5KrgUiuI2QUsu1m9W560OWRaHzx6r2zMKsRm4fs2r6DmdqgbUBQptak5kmn2vm0M8MJWAFhLPwqCqV9zoViHsDD/g6HLUuSw0fmxBoUdiAHJk" + - "djbSjSWrZalkPDYNeTxpvnMa6KdcJkzf/VK+6vxMp4fjk1K2TErubRAjVb69CX7DjlSR1xK5hUcIZwH4z7lDwiNlEllyNk6HgWc7O94azrEW23Ei1bI5S43WsqYoTleqxFRFPm" + - "/Irt2UA88s73z/CRUoU8xoxVd3txP7vokCqxogdPRbNz7bkHsK4zZLJxHzEOe3beDitkkoGelMBZdEYfCqZNnoHqtRQ35bzpyO+tPT7mBupdhS5XOu4IqO50ghZ6FFZkkxmYhK" + - "GDuisgh9jDUbk7zFwiG8hN9VEQhbDkZKD/pgiDWhHaNvy7nam9AIieSwyAIwhYXzvjRojuvUpKa7n/JSYrMQCcgpyXmHY2I2Y/302iazKbRIFqHo0EYbieDD6PxZJBu05Qml2y" + - "SefqTdOVQF/RLOv4WDX0k91DuLrTbc8y25xzk2nHyKa37d9T8XhOrX1BLBwg0mo9c+wEAAHADAABQSwMEFAAICAgASHwVVwAAAAAAAAAAAAAAAA0AAAB4bC9zdHlsZXMueG1s7" + - "Vldb5swFH3fr7D8vkISmrYTUHWdmPYyVWsqTZr24IABq8ZGttOG/vrZmBBI231k6kYq+mJ8fM+5h4sNjuufrwsK7rCQhLMATo5cCDCLeUJYFsCbRfT2FAKpEEsQ5QwHsMISnod" + - "vfKkqiq9zjBXQCkwGMFeqfOc4Ms5xgeQRLzHTIykXBVK6KzJHlgKjRBpSQZ2p686dAhEGQ5+tiqhQEsR8xZS20ULANp8SDc49CKzcJU+0lY+YYYEodELfaQRCP+VsqzOHFgh9+" + - "QDuENUiUxMec8oFENkygFHk1n8GZqjANuwSUbIUxIApKgitLGzJORJS37bVq7PbHDuZdiQvBLFeu4LuwOhLO6DECpuxVm320lV7LrH3conrxswYQmk7Y6bQAqFfIqWwYJHugOZ" + - "6UZV62jG9DqxMHfeL6EygajI97hDqRuddcpHodded8xYCCUEZZ4jelAFMEZUYttAHfs82YOhTnCotLEiWm1bx0jEiSvFCX2w4JrVVbi90+hhTem0W8dd0e/euFl2njxcdqzv63" + - "WC8N5dWqemgsqRVxI1I/Qwt8L4O6UEXlGSswDuBV4IrHKv6HVTDoY82gSDngjxoafMAs2bNm1eWIrGB7P1CoPBafeEKWRXt6V6gcqHBtoiEJXViPSZzQdjtgkekHdZlKlsbgPL" + - "4FicbkzlJNLUT6azTnUq52zpN9q1T43O3UF24W6nNNDgcM9PRzDNm9l5bo5nRzGhmNDOa2ceMNxvSl9KbDMqNNyg30yG5OfvPZpzu9t1u5jv7+Pm+2/h1+th5189fWj+0Pf0/K" + - "tvr+iHUK5r3Z0X7/VXyims2rIlmzhiGXrHjIc2ysWCHvCyd5lPaOSDrfVZbFJjjxwB+NgfStFO25YpQRZjtOY8Jl7wo0CZ+ctwjzJ4lgG/u95Y075HmT5JWQmAWVy3npMfxfsb" + - "p5Trt8U6e4l1hEetn0FLOehR79Lktpu5s/3cQ/gBQSwcIAAc48d4CAACAGAAAUEsDBBQACAgIAEh8FVcAAAAAAAAAAAAAAAAYAAAAeGwvd29ya3NoZWV0cy9zaGVldDEueG1sv" + - "Vffc9o4EH6/v8Lj9+JfGIcM0GnD5Xozaelc0nbm3oQtY01kyScJCPnrbyXZxsEuydxwfUiQdle737crw+fZ+6eSOjssJOFs7gYj33UwS3lG2Gbufnu4fXflOlIhliHKGZ67Byz" + - "d94vfZnsuHmWBsXIgAZNzt1CquvY8mRa4RHLEK8zAk3NRIgVbsfFkJTDKzKGSeqHvT7wSEebaDNfiLTl4npMUL3m6LTFTNonAFCmALwtSySbbU/amfJlAe6Da4OlAXFpPmy8Y9" + - "/KVJBVc8lyNUl7W0Posp970Bc8nEf63TEEMVHdETypskpXpW1iWSDxuq3eQu4JOrQkl6mAIu4uZyf9VODmhCovPPIMh54hKDL4KbfA9Vt8q41cP/CsYGre3mHn14cUsIzAPjcw" + - "ROJ+7H4LrZaIjTMB3gveys3Zkwfe3gG9LkWzSGeMfgmR3hGGwKrGtjX/x/Q2nn6AXcE27jr8xNK0xCLIpAOEdzlWbUqH1PaY4VTjrnlttFYUi94dyzWmbIMM52lKlIUA5Lhr7D" + - "hDPXabbSSElr3SJG0yppuk6qY79E/JPxq7zzHl5nyIKTQp8v7P/Yo6fWnU779CBb01baq9+stacP2qTzuvrIRkWur0V0k9hjcJ1EFh32KL5eNXd26OO/McMBHztvHTi7roZza2" + - "5MTDquhPQhR8kU4XGNYqm4zgKwrjtE0zlE9Y9B3c8SsDxDONoTPUAuO30Hd5hCgcMoq4NSliC3gsEixl0VZr/ur8UVVJPsE6abqXiZQ3NzqggWYbZYFlTs0RPABM+CTOfUh3Mj" + - "KDbNk0Y6P5ctl5Y1wsH6kXJ5etFdb1oqJ5/+Xrjut54oF5g75sdo/0+RQotZoLvHWECbVU78baQuU2TUdxDYKPP3C4Dq8cNKOty+jmVZhBwWIJ1t/Bn3k4DhD/A1AILfzGwsAc" + - "saIGZiI/9iPBlxE0/IhomF50jZ5/hy7KLDLLIIGOD7GxE0ME+HsY+Pof96n/APjbIxmcmYyPiM5PpR8QvI5b9iJ/MLv7Vs4tfnV3cm93khH8/IhlmNznL7tLUJq9Sm/SAX51Q6" + - "0dMh6kl56glo+ji7JJX2SU97IF/Qm8g5CTLMqmvrtcQ9jrf85UgTK0qI8udAqQbSOmj1NscZd6pBeRm+yPEBXnmTCF6A1ofi85PFrywKJL2HZ7VrJ+R2BAoTI0Y9EdJLQ/rNag" + - "ns4LWr7mCXje7wmhMvYuD4CoI/DCahKE/hjM552rY5bU6eVuBPKuwuCfP8GM4hf50pKDRz42eqretgHIdnWIlTPWM79lDgdkKWMLgBQGS5gVn7lZcKIEICL81RenjB5b9KIhqJ" + - "bkDrzMd+ZuCDLzhpX5TklrBshdNXVZE6wL/2M2jJeUVweYCADvblVvTACcjeQ4dZ+qWCHks1ZpXWfb77niZFzOeZVa6wwXprGFpM1pzu+4Wg237mrn4F1BLBwh76zOXRQQAAKo" + - "OAABQSwMEFAAICAgASHwVVwAAAAAAAAAAAAAAABQAAAB4bC9zaGFyZWRTdHJpbmdzLnhtbI2STU/DMAyG7/yKyHeWMgmEpjRTKeM0BJo6pJ2mkJo1UvNBnE7w7wkFiRvK0fbj9" + - "7Uti/WHHdkZIxnvarhaVMDQad8bd6ph3z1c3gKjpFyvRu+whk8kWMsLQZRYbnVUw5BSWHFOekCraOEDulx589GqlMN44hQiqp4GxGRHvqyqG26VccC0n1zKttfAJmfeJ2x/E0u" + - "QgowUs8mKgtLZO6sQxjOCfHlqm7v9ttkdjt3heSN4koJ/8//1/CxZxLa+xyLwHklHE1Kp8Dx4EblVrzgWkd1m93hsitAyahYsm7KMmgXbssv/UTz/mPwCUEsHCEgvXEPsAAAAo" + - "QIAAFBLAwQUAAgICABIfBVXAAAAAAAAAAAAAAAAEQAAAGRvY1Byb3BzL2NvcmUueG1sfVJNT8MwDL3zK6rcu6QtGlO0dhIguDCBxCYQt5C6I9AmUeJ9/XvSbi1fEzf7vZdnO/Z" + - "0tmvqaAPOK6NzkowYiUBLUyq9yslycRNPSORR6FLURkNO9uDJrDibSsulcfDgjAWHCnwUjLTn0ubkDdFySr18g0b4UVDoQFbGNQJD6lbUCvkhVkBTxsa0ARSlQEFbw9gOjuRoW" + - "crB0q5d3RmUkkINDWj0NBkl9EuL4Bp/8kHHfFM2CvcWTkp7clDvvBqE2+12tM06aeg/oc/zu8du1Fjp9qskkGJ6bIRLBwKhjIIBP5Trmafs6npxQ4qUpSxm45iliyTjGeNp9jK" + - "lv963hofYuGKupDPeVBjdV5WSEC09uPbJoGjVJXjplMWw2KIjfwAhr4VercMWCtDx7WUnGaB2v7XwOA+XUCkoL/fB4wTWt9kcsf/nzGI2idNkkVzw7Jwn429z9gZdZQcb1R5kk" + - "XVFh7Tt2q9f30HiYaQhCTEqrOEA9+GfIy0+AVBLBwgoNK7AewEAAPACAABQSwMEFAAICAgASHwVVwAAAAAAAAAAAAAAABMAAABkb2NQcm9wcy9jdXN0b20ueG1snc6xCsIwFIX" + - "h3acI2dtUB5HStIs4O1T3kN62AXNvyE2LfXsjgu6Ohx8+TtM9/UOsENkRarkvKykALQ0OJy1v/aU4ScHJ4GAehKDlBiy7dtdcIwWIyQGLLCBrOacUaqXYzuANlzljLiNFb1Kec" + - "VI0js7CmeziAZM6VNVR2YUT+SJ8Ofnx6jX9Sw5k3+/43m8he22jfmfbF1BLBwjh1gCAlwAAAPEAAABQSwMEFAAICAgASHwVVwAAAAAAAAAAAAAAABAAAABkb2NQcm9wcy9hcHA" + - "ueG1snZBNa8MwDIbv+xXB9Jo4CUtWiuOyMXYqbIes7BY8W2k9/IXtlPTfz21Z2/Oki754JL1kPWuVHcAHaU2HqqJEGRhuhTS7Dn32b/kSZSEyI5iyBjp0hIDW9IF8eOvARwkhS" + - "wQTOrSP0a0wDnwPmoUitU3qjNZrFlPqd9iOo+TwavmkwURcl2WLYY5gBIjcXYHoQlwd4n+hwvLTfWHbH13iUdKDdopFoATfwt5GpnqpgVapfE3Is3NKchaTInQjvz28n1fgp6J" + - "JXi820kzz8LVsh/YxuxsY0gs/wCNuysXLJJXIa4LvYSfy9iI1rZqiTHYe+KsRfFOV/gJQSwcIRY4uEvgAAACaAQAAUEsDBBQACAgIAEh8FVcAAAAAAAAAAAAAAAATAAAAW0Nvb" + - "nRlbnRfVHlwZXNdLnhtbL2UTU/DMAyG7/yKKlfUZuOAEGq3Ax9HmMQ4o5C4bVjzoSQb27/H6QZMo2xMqzhFjf2+j+22zsdL1SQLcF4aXZBhNiAJaG6E1FVBnqf36RUZj87y6cq" + - "CTzBX+4LUIdhrSj2vQTGfGQsaI6VxigV8dBW1jM9YBfRiMLik3OgAOqQhepBRfgslmzchuVvi9ZqLcpLcrPMiqiDM2kZyFjBMY5R26hw0fo9wocVOdemmsgyVbY6vpfXnvxOsr" + - "nYAUsXO4n234s1Ct6QNoOYRx+2kgGTCXHhgChPoS+yEZj3300VaNhvYu3GzV2NmGSb/E3gbeRzNlKXkIAyfK5Rk3jpgwtcAAYtvz0wxqQ/wfVg14Pumt6Z/6LwVeNoew56L+PI" + - "/NIGaORBPweH/3fsgtr331YH6iTPW42ZwcHwRn19eVKcWjcAFuf8NfBPnPhh1cuNrm2PhyDiZDHHRCBA/2Wc5bbf06ANQSwcItuOWgmMBAADUBQAAUEsBAhQAFAAICAgASHwVV" + - "4WaNJruAAAAzgIAAAsAAAAAAAAAAAAAAAAAAAAAAF9yZWxzLy5yZWxzUEsBAhQAFAAICAgASHwVV0/w+XrSAAAAJQIAABoAAAAAAAAAAAAAAAAAJwEAAHhsL19yZWxzL3dvcmt" + - "ib29rLnhtbC5yZWxzUEsBAhQAFAAICAgASHwVVzSaj1z7AQAAcAMAAA8AAAAAAAAAAAAAAAAAQQIAAHhsL3dvcmtib29rLnhtbFBLAQIUABQACAgIAEh8FVcABzjx3gIAAIAYA" + - "AANAAAAAAAAAAAAAAAAAHkEAAB4bC9zdHlsZXMueG1sUEsBAhQAFAAICAgASHwVV3vrM5dFBAAAqg4AABgAAAAAAAAAAAAAAAAAkgcAAHhsL3dvcmtzaGVldHMvc2hlZXQxLnh" + - "tbFBLAQIUABQACAgIAEh8FVdIL1xD7AAAAKECAAAUAAAAAAAAAAAAAAAAAB0MAAB4bC9zaGFyZWRTdHJpbmdzLnhtbFBLAQIUABQACAgIAEh8FVcoNK7AewEAAPACAAARAAAAA" + - "AAAAAAAAAAAAEsNAABkb2NQcm9wcy9jb3JlLnhtbFBLAQIUABQACAgIAEh8FVfh1gCAlwAAAPEAAAATAAAAAAAAAAAAAAAAAAUPAABkb2NQcm9wcy9jdXN0b20ueG1sUEsBAhQ" + - "AFAAICAgASHwVV0WOLhL4AAAAmgEAABAAAAAAAAAAAAAAAAAA3Q8AAGRvY1Byb3BzL2FwcC54bWxQSwECFAAUAAgICABIfBVXtuOWgmMBAADUBQAAEwAAAAAAAAAAAAAAAAATE" + - "QAAW0NvbnRlbnRfVHlwZXNdLnhtbFBLBQYAAAAACgAKAIACAAC3EgAAAAA="; - - var executeModule = function(moduleName, facade, dtos) { - QUnit.module(moduleName); - - var testAction = function(c, fAction, fCheck) { - c.start(); - - c.login(facade).then(function() { - c.ok("Login"); - return fAction(facade).then(function(result) { - c.ok("Got results"); - var checkPromise = fCheck(facade, result); - if (checkPromise) { - checkPromise.then(function() { - c.finish() - }); - } else { - c.finish(); - } - }); - }).fail(function(error) { - c.fail(error.message); - c.finish(); - }); - } - - QUnit.test("executeImport()", function(assert) { - var c = new common(assert, dtos); - - var fAction = function(facade) { - var importData = new dtos.UncompressedImportData(); - importData.setFormat("XLS"); - importData.setFile(fileContent); - - var importOptions = new dtos.ImportOptions(); - importOptions.setMode("UPDATE_IF_EXISTS"); - - return facade.executeImport(importData, importOptions); - } - - var fCheck = function(facade) { - var criteria = new dtos.VocabularySearchCriteria(); - criteria.withCode().thatEquals("VOCAB"); - - var vocabularyFetchOptions = c.createVocabularyFetchOptions() - vocabularyFetchOptions.withTerms(); - - return facade.searchVocabularies(criteria, vocabularyFetchOptions).then(function(results) { - c.assertEqual(results.getTotalCount(), 1) - var vocabulary = (results.getObjects())[0]; - - c.assertEqual(vocabulary.code, "VOCAB"); - - var terms = vocabulary.getTerms(); - - c.assertEqual(terms.length, 3) - - var codes = terms.map(function(object) { - return object.code; - }).sort(); - - var labels = terms.map(function(object) { - return object.label; - }).sort(); - - c.assertEqual(codes[0], "TERM_A"); - c.assertEqual(codes[1], "TERM_B"); - c.assertEqual(codes[2], "TERM_C"); - - c.assertEqual(labels[0], "A"); - c.assertEqual(labels[1], "B"); - c.assertEqual(labels[2], "C"); - }).fail(function(error) { - c.fail("Error searching vocabularies. error=" + error.message); - }); - } - - testAction(c, fAction, fCheck); - }); - - QUnit.test("executeExport()", function(assert) { - var c = new common(assert, dtos); - - var fAction = function(facade) { - var exportablePermId = new dtos.ExportablePermId( - dtos.ExportableKind.SAMPLE, "200902091225616-1027"); - var exportData = new dtos.ExportData(exportablePermId, - new dtos.AllFields()); - - var exportOptions = new dtos.ExportOptions( - [dtos.ExportFormat.XLSX, dtos.ExportFormat.HTML, dtos.ExportFormat.PDF, - dtos.ExportFormat.DATA], dtos.XlsTextFormat.RICH, true, false, true); - - return facade.executeExport(exportData, exportOptions); - } - - var fCheck = function(facade, result) { - c.assertNotNull(result); - if (!result.downloadURL) { - c.assertNotNull(result.results); - c.assertEqual(result.results.length, 1); - c.assertNotNull(result.results[0].exportResult); - c.assertNotNull(result.results[0].exportResult.downloadURL); - } - - return null; - } - - testAction(c, fAction, fCheck); - }); - } - - return function() { - executeModule("Export/import tests (RequireJS)", new openbis(), dtos); - executeModule("Export/import tests (RequireJS - executeOperations)", new openbisExecuteOperations(new openbis(), dtos), dtos); - executeModule("Export/import tests (module VAR)", new window.openbis.openbis(), window.openbis); - executeModule("Export/import tests (module VAR - executeOperations)", new openbisExecuteOperations(new window.openbis.openbis(), window.openbis), window.openbis); - executeModule("Export/import tests (module ESM)", new window.openbisESM.openbis(), window.openbisESM); - executeModule("Export/import tests (module ESM - executeOperations)", new openbisExecuteOperations(new window.openbisESM.openbis(), window.openbisESM), window.openbisESM); - } - }); diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-import-export.ts b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-import-export.ts new file mode 100644 index 0000000000000000000000000000000000000000..df54153e4ff10d1bec2714c024ff8ce4f57f6598 --- /dev/null +++ b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-import-export.ts @@ -0,0 +1,222 @@ +/* + * Copyright ETH 2023 Zürich, Scientific IT Services + * + * Licensed under the Apache License, Version 2.0 (the "License"); + * you may not use this file except in compliance with the License. + * You may obtain a copy of the License at + * + * http://www.apache.org/licenses/LICENSE-2.0 + * + * Unless required by applicable law or agreed to in writing, software + * distributed under the License is distributed on an "AS IS" BASIS, + * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. + * See the License for the specific language governing permissions and + * limitations under the License. + * + */ + +import jquery from "./types/jquery" +import underscore from "./types/underscore" +import common from "./types/common" +import openbis from "./types/openbis.esm" + +exports.default = new Promise((resolve) => { + require(["jquery", "underscore", "openbis", "test/common", "test/openbis-execute-operations", "test/dtos"], function ( + $: jquery.JQueryStatic, + _: underscore.UnderscoreStatic, + openbisRequireJS, + common: common.CommonConstructor, + openbisExecuteOperations, + dtos + ) { + var fileContent = + "UEsDBBQACAgIAEh8FVcAAAAAAAAAAAAAAAALAAAAX3JlbHMvLnJlbHOtksFOwzAMhu97iir3Nd1ACKGmu0xIuyE0HsAkbhu1iaPEg/L2RBMSDI2" + + "yw45xfn/+YqXeTG4s3jAmS16JVVmJAr0mY32nxMv+cXkvNs2ifsYROEdSb0Mqco9PSvTM4UHKpHt0kEoK6PNNS9EB52PsZAA9QIdyXVV3Mv5kiOaEWeyMEnFnVqLYfwS8hE1ta" + + "zVuSR8cej4z4lcikyF2yEpMo3ynOLwSDWWGCnneZX25y9/vlA4ZDDBITRGXIebuyBbTt44h/ZTL6ZiYE7q55nJwYvQGzbwShDBndHtNI31ITO6fFR0zX0qLWp78y+YTUEsHCIW" + + "aNJruAAAAzgIAAFBLAwQUAAgICABIfBVXAAAAAAAAAAAAAAAAGgAAAHhsL19yZWxzL3dvcmtib29rLnhtbC5yZWxzrZFNa8MwDIbv/RVG98VJB2OMOL2MQa/9+AHGUeLQxDaS1" + + "rX/fi4bWwpl7NCT0Nfzvkj16jSN6ojEQwwGqqIEhcHFdgi9gf3u7eEZVs2i3uBoJY+wHxKrvBPYgBdJL1qz8zhZLmLCkDtdpMlKTqnXybqD7VEvy/JJ05wBzRVTrVsDtG4rULt" + + "zwv+wY9cNDl+je58wyA0JzXIekTPRUo9i4CsvMgf0bfnlPeU/Ih3YI8qvg59SNncJ1V9mHu96C28J261Qfuz8JPPyt5lFra/e3XwCUEsHCE/w+XrSAAAAJQIAAFBLAwQUAAgIC" + + "ABIfBVXAAAAAAAAAAAAAAAADwAAAHhsL3dvcmtib29rLnhtbI1T23LaMBB971d49A6+cCkwmAw1eJKZ3iakybNsr7GKLHmkJUA6/feuZZym0z70AaS96OzZ3ePlzbmW3jMYK7S" + + "KWTgMmAcq14VQ+5h9e0gHM+ZZ5KrgUiuI2QUsu1m9W560OWRaHzx6r2zMKsRm4fs2r6DmdqgbUBQptak5kmn2vm0M8MJWAFhLPwqCqV9zoViHsDD/g6HLUuSw0fmxBoUdiAHJk" + + "djbSjSWrZalkPDYNeTxpvnMa6KdcJkzf/VK+6vxMp4fjk1K2TErubRAjVb69CX7DjlSR1xK5hUcIZwH4z7lDwiNlEllyNk6HgWc7O94azrEW23Ei1bI5S43WsqYoTleqxFRFPm" + + "/Irt2UA88s73z/CRUoU8xoxVd3txP7vokCqxogdPRbNz7bkHsK4zZLJxHzEOe3beDitkkoGelMBZdEYfCqZNnoHqtRQ35bzpyO+tPT7mBupdhS5XOu4IqO50ghZ6FFZkkxmYhK" + + "GDuisgh9jDUbk7zFwiG8hN9VEQhbDkZKD/pgiDWhHaNvy7nam9AIieSwyAIwhYXzvjRojuvUpKa7n/JSYrMQCcgpyXmHY2I2Y/302iazKbRIFqHo0EYbieDD6PxZJBu05Qml2y" + + "SefqTdOVQF/RLOv4WDX0k91DuLrTbc8y25xzk2nHyKa37d9T8XhOrX1BLBwg0mo9c+wEAAHADAABQSwMEFAAICAgASHwVVwAAAAAAAAAAAAAAAA0AAAB4bC9zdHlsZXMueG1s7" + + "Vldb5swFH3fr7D8vkISmrYTUHWdmPYyVWsqTZr24IABq8ZGttOG/vrZmBBI231k6kYq+mJ8fM+5h4sNjuufrwsK7rCQhLMATo5cCDCLeUJYFsCbRfT2FAKpEEsQ5QwHsMISnod" + + "vfKkqiq9zjBXQCkwGMFeqfOc4Ms5xgeQRLzHTIykXBVK6KzJHlgKjRBpSQZ2p686dAhEGQ5+tiqhQEsR8xZS20ULANp8SDc49CKzcJU+0lY+YYYEodELfaQRCP+VsqzOHFgh9+" + + "QDuENUiUxMec8oFENkygFHk1n8GZqjANuwSUbIUxIApKgitLGzJORJS37bVq7PbHDuZdiQvBLFeu4LuwOhLO6DECpuxVm320lV7LrH3conrxswYQmk7Y6bQAqFfIqWwYJHugOZ" + + "6UZV62jG9DqxMHfeL6EygajI97hDqRuddcpHodded8xYCCUEZZ4jelAFMEZUYttAHfs82YOhTnCotLEiWm1bx0jEiSvFCX2w4JrVVbi90+hhTem0W8dd0e/euFl2njxcdqzv63" + + "WC8N5dWqemgsqRVxI1I/Qwt8L4O6UEXlGSswDuBV4IrHKv6HVTDoY82gSDngjxoafMAs2bNm1eWIrGB7P1CoPBafeEKWRXt6V6gcqHBtoiEJXViPSZzQdjtgkekHdZlKlsbgPL" + + "4FicbkzlJNLUT6azTnUq52zpN9q1T43O3UF24W6nNNDgcM9PRzDNm9l5bo5nRzGhmNDOa2ceMNxvSl9KbDMqNNyg30yG5OfvPZpzu9t1u5jv7+Pm+2/h1+th5189fWj+0Pf0/K" + + "tvr+iHUK5r3Z0X7/VXyims2rIlmzhiGXrHjIc2ysWCHvCyd5lPaOSDrfVZbFJjjxwB+NgfStFO25YpQRZjtOY8Jl7wo0CZ+ctwjzJ4lgG/u95Y075HmT5JWQmAWVy3npMfxfsb" + + "p5Trt8U6e4l1hEetn0FLOehR79Lktpu5s/3cQ/gBQSwcIAAc48d4CAACAGAAAUEsDBBQACAgIAEh8FVcAAAAAAAAAAAAAAAAYAAAAeGwvd29ya3NoZWV0cy9zaGVldDEueG1sv" + + "Vffc9o4EH6/v8Lj9+JfGIcM0GnD5Xozaelc0nbm3oQtY01kyScJCPnrbyXZxsEuydxwfUiQdle737crw+fZ+6eSOjssJOFs7gYj33UwS3lG2Gbufnu4fXflOlIhliHKGZ67Byz" + + "d94vfZnsuHmWBsXIgAZNzt1CquvY8mRa4RHLEK8zAk3NRIgVbsfFkJTDKzKGSeqHvT7wSEebaDNfiLTl4npMUL3m6LTFTNonAFCmALwtSySbbU/amfJlAe6Da4OlAXFpPmy8Y9" + + "/KVJBVc8lyNUl7W0Posp970Bc8nEf63TEEMVHdETypskpXpW1iWSDxuq3eQu4JOrQkl6mAIu4uZyf9VODmhCovPPIMh54hKDL4KbfA9Vt8q41cP/CsYGre3mHn14cUsIzAPjcw" + + "ROJ+7H4LrZaIjTMB3gveys3Zkwfe3gG9LkWzSGeMfgmR3hGGwKrGtjX/x/Q2nn6AXcE27jr8xNK0xCLIpAOEdzlWbUqH1PaY4VTjrnlttFYUi94dyzWmbIMM52lKlIUA5Lhr7D" + + "hDPXabbSSElr3SJG0yppuk6qY79E/JPxq7zzHl5nyIKTQp8v7P/Yo6fWnU779CBb01baq9+stacP2qTzuvrIRkWur0V0k9hjcJ1EFh32KL5eNXd26OO/McMBHztvHTi7roZza2" + + "5MTDquhPQhR8kU4XGNYqm4zgKwrjtE0zlE9Y9B3c8SsDxDONoTPUAuO30Hd5hCgcMoq4NSliC3gsEixl0VZr/ur8UVVJPsE6abqXiZQ3NzqggWYbZYFlTs0RPABM+CTOfUh3Mj" + + "KDbNk0Y6P5ctl5Y1wsH6kXJ5etFdb1oqJ5/+Xrjut54oF5g75sdo/0+RQotZoLvHWECbVU78baQuU2TUdxDYKPP3C4Dq8cNKOty+jmVZhBwWIJ1t/Bn3k4DhD/A1AILfzGwsAc" + + "saIGZiI/9iPBlxE0/IhomF50jZ5/hy7KLDLLIIGOD7GxE0ME+HsY+Pof96n/APjbIxmcmYyPiM5PpR8QvI5b9iJ/MLv7Vs4tfnV3cm93khH8/IhlmNznL7tLUJq9Sm/SAX51Q6" + + "0dMh6kl56glo+ji7JJX2SU97IF/Qm8g5CTLMqmvrtcQ9jrf85UgTK0qI8udAqQbSOmj1NscZd6pBeRm+yPEBXnmTCF6A1ofi85PFrywKJL2HZ7VrJ+R2BAoTI0Y9EdJLQ/rNag" + + "ns4LWr7mCXje7wmhMvYuD4CoI/DCahKE/hjM552rY5bU6eVuBPKuwuCfP8GM4hf50pKDRz42eqretgHIdnWIlTPWM79lDgdkKWMLgBQGS5gVn7lZcKIEICL81RenjB5b9KIhqJ" + + "bkDrzMd+ZuCDLzhpX5TklrBshdNXVZE6wL/2M2jJeUVweYCADvblVvTACcjeQ4dZ+qWCHks1ZpXWfb77niZFzOeZVa6wwXprGFpM1pzu+4Wg237mrn4F1BLBwh76zOXRQQAAKo" + + "OAABQSwMEFAAICAgASHwVVwAAAAAAAAAAAAAAABQAAAB4bC9zaGFyZWRTdHJpbmdzLnhtbI2STU/DMAyG7/yKyHeWMgmEpjRTKeM0BJo6pJ2mkJo1UvNBnE7w7wkFiRvK0fbj9" + + "7Uti/WHHdkZIxnvarhaVMDQad8bd6ph3z1c3gKjpFyvRu+whk8kWMsLQZRYbnVUw5BSWHFOekCraOEDulx589GqlMN44hQiqp4GxGRHvqyqG26VccC0n1zKttfAJmfeJ2x/E0u" + + "QgowUs8mKgtLZO6sQxjOCfHlqm7v9ttkdjt3heSN4koJ/8//1/CxZxLa+xyLwHklHE1Kp8Dx4EblVrzgWkd1m93hsitAyahYsm7KMmgXbssv/UTz/mPwCUEsHCEgvXEPsAAAAo" + + "QIAAFBLAwQUAAgICABIfBVXAAAAAAAAAAAAAAAAEQAAAGRvY1Byb3BzL2NvcmUueG1sfVJNT8MwDL3zK6rcu6QtGlO0dhIguDCBxCYQt5C6I9AmUeJ9/XvSbi1fEzf7vZdnO/Z" + + "0tmvqaAPOK6NzkowYiUBLUyq9yslycRNPSORR6FLURkNO9uDJrDibSsulcfDgjAWHCnwUjLTn0ubkDdFySr18g0b4UVDoQFbGNQJD6lbUCvkhVkBTxsa0ARSlQEFbw9gOjuRoW" + + "crB0q5d3RmUkkINDWj0NBkl9EuL4Bp/8kHHfFM2CvcWTkp7clDvvBqE2+12tM06aeg/oc/zu8du1Fjp9qskkGJ6bIRLBwKhjIIBP5Trmafs6npxQ4qUpSxm45iliyTjGeNp9jK" + + "lv963hofYuGKupDPeVBjdV5WSEC09uPbJoGjVJXjplMWw2KIjfwAhr4VercMWCtDx7WUnGaB2v7XwOA+XUCkoL/fB4wTWt9kcsf/nzGI2idNkkVzw7Jwn429z9gZdZQcb1R5kk" + + "XVFh7Tt2q9f30HiYaQhCTEqrOEA9+GfIy0+AVBLBwgoNK7AewEAAPACAABQSwMEFAAICAgASHwVVwAAAAAAAAAAAAAAABMAAABkb2NQcm9wcy9jdXN0b20ueG1snc6xCsIwFIX" + + "h3acI2dtUB5HStIs4O1T3kN62AXNvyE2LfXsjgu6Ohx8+TtM9/UOsENkRarkvKykALQ0OJy1v/aU4ScHJ4GAehKDlBiy7dtdcIwWIyQGLLCBrOacUaqXYzuANlzljLiNFb1Kec" + + "VI0js7CmeziAZM6VNVR2YUT+SJ8Ofnx6jX9Sw5k3+/43m8he22jfmfbF1BLBwjh1gCAlwAAAPEAAABQSwMEFAAICAgASHwVVwAAAAAAAAAAAAAAABAAAABkb2NQcm9wcy9hcHA" + + "ueG1snZBNa8MwDIbv+xXB9Jo4CUtWiuOyMXYqbIes7BY8W2k9/IXtlPTfz21Z2/Oki754JL1kPWuVHcAHaU2HqqJEGRhuhTS7Dn32b/kSZSEyI5iyBjp0hIDW9IF8eOvARwkhS" + + "wQTOrSP0a0wDnwPmoUitU3qjNZrFlPqd9iOo+TwavmkwURcl2WLYY5gBIjcXYHoQlwd4n+hwvLTfWHbH13iUdKDdopFoATfwt5GpnqpgVapfE3Is3NKchaTInQjvz28n1fgp6J" + + "JXi820kzz8LVsh/YxuxsY0gs/wCNuysXLJJXIa4LvYSfy9iI1rZqiTHYe+KsRfFOV/gJQSwcIRY4uEvgAAACaAQAAUEsDBBQACAgIAEh8FVcAAAAAAAAAAAAAAAATAAAAW0Nvb" + + "nRlbnRfVHlwZXNdLnhtbL2UTU/DMAyG7/yKKlfUZuOAEGq3Ax9HmMQ4o5C4bVjzoSQb27/H6QZMo2xMqzhFjf2+j+22zsdL1SQLcF4aXZBhNiAJaG6E1FVBnqf36RUZj87y6cq" + + "CTzBX+4LUIdhrSj2vQTGfGQsaI6VxigV8dBW1jM9YBfRiMLik3OgAOqQhepBRfgslmzchuVvi9ZqLcpLcrPMiqiDM2kZyFjBMY5R26hw0fo9wocVOdemmsgyVbY6vpfXnvxOsr" + + "nYAUsXO4n234s1Ct6QNoOYRx+2kgGTCXHhgChPoS+yEZj3300VaNhvYu3GzV2NmGSb/E3gbeRzNlKXkIAyfK5Rk3jpgwtcAAYtvz0wxqQ/wfVg14Pumt6Z/6LwVeNoew56L+PI" + + "/NIGaORBPweH/3fsgtr331YH6iTPW42ZwcHwRn19eVKcWjcAFuf8NfBPnPhh1cuNrm2PhyDiZDHHRCBA/2Wc5bbf06ANQSwcItuOWgmMBAADUBQAAUEsBAhQAFAAICAgASHwVV" + + "4WaNJruAAAAzgIAAAsAAAAAAAAAAAAAAAAAAAAAAF9yZWxzLy5yZWxzUEsBAhQAFAAICAgASHwVV0/w+XrSAAAAJQIAABoAAAAAAAAAAAAAAAAAJwEAAHhsL19yZWxzL3dvcmt" + + "ib29rLnhtbC5yZWxzUEsBAhQAFAAICAgASHwVVzSaj1z7AQAAcAMAAA8AAAAAAAAAAAAAAAAAQQIAAHhsL3dvcmtib29rLnhtbFBLAQIUABQACAgIAEh8FVcABzjx3gIAAIAYA" + + "AANAAAAAAAAAAAAAAAAAHkEAAB4bC9zdHlsZXMueG1sUEsBAhQAFAAICAgASHwVV3vrM5dFBAAAqg4AABgAAAAAAAAAAAAAAAAAkgcAAHhsL3dvcmtzaGVldHMvc2hlZXQxLnh" + + "tbFBLAQIUABQACAgIAEh8FVdIL1xD7AAAAKECAAAUAAAAAAAAAAAAAAAAAB0MAAB4bC9zaGFyZWRTdHJpbmdzLnhtbFBLAQIUABQACAgIAEh8FVcoNK7AewEAAPACAAARAAAAA" + + "AAAAAAAAAAAAEsNAABkb2NQcm9wcy9jb3JlLnhtbFBLAQIUABQACAgIAEh8FVfh1gCAlwAAAPEAAAATAAAAAAAAAAAAAAAAAAUPAABkb2NQcm9wcy9jdXN0b20ueG1sUEsBAhQ" + + "AFAAICAgASHwVV0WOLhL4AAAAmgEAABAAAAAAAAAAAAAAAAAA3Q8AAGRvY1Byb3BzL2FwcC54bWxQSwECFAAUAAgICABIfBVXtuOWgmMBAADUBQAAEwAAAAAAAAAAAAAAAAATE" + + "QAAW0NvbnRlbnRfVHlwZXNdLnhtbFBLBQYAAAAACgAKAIACAAC3EgAAAAA=" + + var executeModule = function (moduleName: string, facade: openbis.openbis, dtos: openbis.bundle) { + QUnit.module(moduleName) + + var testAction = function (c: common.CommonClass, fAction, fCheck) { + c.start() + + c.login(facade) + .then(function () { + c.ok("Login") + return fAction(facade).then(function (result) { + c.ok("Got results") + var checkPromise = fCheck(facade, result) + if (checkPromise) { + return checkPromise.then(function () { + c.finish() + }) + } else { + c.finish() + } + }) + }) + .fail(function (error) { + c.fail(error.message) + c.finish() + }) + } + + QUnit.test("executeImport()", function (assert) { + var c = new common(assert, dtos) + + var fAction = function (facade: openbis.openbis) { + var importData = new dtos.UncompressedImportData() + importData.setFormat("XLS") + importData.setFile(fileContent) + + var importOptions = new dtos.ImportOptions() + importOptions.setMode("UPDATE_IF_EXISTS") + + return facade.executeImport(importData, importOptions) + } + + var fCheck = function (facade: openbis.openbis) { + var criteria = new dtos.VocabularySearchCriteria() + criteria.withCode().thatEquals("VOCAB") + + var vocabularyFetchOptions = c.createVocabularyFetchOptions() + vocabularyFetchOptions.withTerms() + + return facade.searchVocabularies(criteria, vocabularyFetchOptions).then( + function (results) { + c.assertEqual(results.getTotalCount(), 1) + var vocabulary = results.getObjects()[0] + + c.assertEqual(vocabulary.getCode(), "VOCAB") + + var terms = vocabulary.getTerms() + + c.assertEqual(terms.length, 3) + + var codes = terms + .map(function (object) { + return object.getCode() + }) + .sort() + + var labels = terms + .map(function (object) { + return object.getLabel() + }) + .sort() + + c.assertEqual(codes[0], "TERM_A") + c.assertEqual(codes[1], "TERM_B") + c.assertEqual(codes[2], "TERM_C") + + c.assertEqual(labels[0], "A") + c.assertEqual(labels[1], "B") + c.assertEqual(labels[2], "C") + }, + function (error) { + c.fail("Error searching vocabularies. error=" + error.message) + } + ) + } + + testAction(c, fAction, fCheck) + }) + + QUnit.test("executeExport()", function (assert) { + var c = new common(assert, dtos) + + var fAction = function (facade: openbis.openbis) { + var exportablePermId = new dtos.ExportablePermId(dtos.ExportableKind.SAMPLE, "200902091225616-1027") + var exportData = new dtos.ExportData([exportablePermId], new dtos.AllFields()) + + var exportOptions = new dtos.ExportOptions( + [dtos.ExportFormat.XLSX, dtos.ExportFormat.HTML, dtos.ExportFormat.PDF, dtos.ExportFormat.DATA], + dtos.XlsTextFormat.RICH, + true, + false, + true + ) + + return facade.executeExport(exportData, exportOptions) + } + + var fCheck = function (facade: openbis.openbis, result: openbis.ExportResult) { + c.assertNotNull(result) + c.assertNotNull(result.getDownloadURL()) + return null + } + + testAction(c, fAction, fCheck) + }) + } + + resolve(function () { + executeModule("Export/import tests (RequireJS)", new openbisRequireJS(), dtos) + executeModule("Export/import tests (RequireJS - executeOperations)", new openbisExecuteOperations(new openbisRequireJS(), dtos), dtos) + executeModule("Export/import tests (module VAR)", new window.openbis.openbis(), window.openbis) + executeModule( + "Export/import tests (module VAR - executeOperations)", + new openbisExecuteOperations(new window.openbis.openbis(), window.openbis), + window.openbis + ) + executeModule("Export/import tests (module ESM)", new window.openbisESM.openbis(), window.openbisESM) + executeModule( + "Export/import tests (module ESM - executeOperations)", + new openbisExecuteOperations(new window.openbisESM.openbis(), window.openbisESM), + window.openbisESM + ) + }) + }) +}) diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-login.js b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-login.js deleted file mode 100644 index 1b7c3c4a72603196e57e844b2e43d36846706969..0000000000000000000000000000000000000000 --- a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-login.js +++ /dev/null @@ -1,69 +0,0 @@ -define([ 'jquery', 'underscore', 'openbis', 'test/common', 'test/dtos' ], function($, _, openbis, common, dtos) { - var executeModule = function(moduleName, facade, dtos) { - QUnit.module(moduleName); - - QUnit.test("loginAs()", function(assert) { - var c = new common(assert, dtos); - c.start(); - - var criteria = new dtos.SpaceSearchCriteria(); - var fetchOptions = new dtos.SpaceFetchOptions(); - - facade.login("openbis_test_js", "password").then(function() { - return facade.searchSpaces(criteria, fetchOptions).then(function(spacesForInstanceAdmin) { - return facade.loginAs("openbis_test_js", "password", "test_space_admin").then(function() { - return facade.searchSpaces(criteria, fetchOptions).then(function(spacesForSpaceAdmin) { - c.assertTrue(spacesForInstanceAdmin.getTotalCount() > spacesForSpaceAdmin.getTotalCount()); - c.assertObjectsWithValues(spacesForSpaceAdmin.getObjects(), "code", [ "TEST" ]); - c.finish(); - }); - }); - }); - }).fail(function(error) { - c.fail(error.message); - c.finish(); - }); - }); - - QUnit.test("getSessionInformation()", function(assert) { - var c = new common(assert, dtos); - c.start(); - - facade.login("openbis_test_js", "password").then(function() { - return facade.getSessionInformation().then(function(sessionInformation) { - c.assertTrue(sessionInformation != null); - c.assertTrue(sessionInformation.getPerson() != null); - c.finish(); - }); - }).fail(function(error) { - c.fail(error.message); - c.finish(); - }); - }); - - QUnit.test("loginAsAnonymousUser()", function(assert) { - var c = new common(assert, dtos); - c.start(); - - var criteria = new dtos.SpaceSearchCriteria(); - var fetchOptions = new dtos.SpaceFetchOptions(); - - facade.loginAsAnonymousUser().then(function() { - return facade.searchSpaces(criteria, fetchOptions).then(function(spaces) { - c.assertTrue(spaces.getTotalCount() == 1) - c.finish(); - }); - }).fail(function(error) { - c.fail(error.message); - c.finish(); - }); - }); - - } - - return function(){ - executeModule("Login tests (RequireJS)", new openbis(), dtos); - executeModule("Login tests (module VAR)", new window.openbis.openbis(), window.openbis); - executeModule("Login tests (module ESM)", new window.openbisESM.openbis(), window.openbisESM); - } -}); diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-login.ts b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-login.ts new file mode 100644 index 0000000000000000000000000000000000000000..c86fccef3c21b5a799586564e30172594bfe2135 --- /dev/null +++ b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-login.ts @@ -0,0 +1,90 @@ +import jquery from "./types/jquery" +import underscore from "./types/underscore" +import common from "./types/common" +import openbis from "./types/openbis.esm" + +exports.default = new Promise((resolve) => { + require(["jquery", "underscore", "openbis", "test/common", "test/dtos"], function ( + $: jquery.JQueryStatic, + _: underscore.UnderscoreStatic, + openbisRequireJS, + common: common.CommonConstructor, + dtos + ) { + var executeModule = function (moduleName: string, facade: openbis.openbis, dtos: openbis.bundle) { + QUnit.module(moduleName) + + QUnit.test("loginAs()", async function (assert) { + var c = new common(assert, dtos) + c.start() + + var criteria = new dtos.SpaceSearchCriteria() + var fetchOptions = new dtos.SpaceFetchOptions() + + facade.login("openbis_test_js", "password").then( + function () { + return facade.searchSpaces(criteria, fetchOptions).then(function (spacesForInstanceAdmin) { + return facade.loginAs("openbis_test_js", "password", "test_space_admin").then(function () { + return facade.searchSpaces(criteria, fetchOptions).then(function (spacesForSpaceAdmin) { + c.assertTrue(spacesForInstanceAdmin.getTotalCount() > spacesForSpaceAdmin.getTotalCount()) + c.assertObjectsWithValues(spacesForSpaceAdmin.getObjects(), "code", ["TEST"]) + c.finish() + }) + }) + }) + }, + function (error) { + c.fail(error.message) + c.finish() + } + ) + }) + + QUnit.test("getSessionInformation()", async function (assert) { + var c = new common(assert, dtos) + c.start() + + facade.login("openbis_test_js", "password").then( + function () { + return facade.getSessionInformation().then(function (sessionInformation) { + c.assertTrue(sessionInformation != null) + c.assertTrue(sessionInformation.getPerson() != null) + c.finish() + }) + }, + function (error) { + c.fail(error.message) + c.finish() + } + ) + }) + + QUnit.test("loginAsAnonymousUser()", async function (assert) { + var c = new common(assert, dtos) + c.start() + + var criteria = new dtos.SpaceSearchCriteria() + var fetchOptions = new dtos.SpaceFetchOptions() + + facade.loginAsAnonymousUser().then( + function () { + return facade.searchSpaces(criteria, fetchOptions).then(function (spaces) { + c.assertTrue(spaces.getTotalCount() == 1) + c.finish() + }) + }, + function (error) { + c.fail(error.message) + c.finish() + } + ) + }) + } + + resolve(function () { + executeModule("Login tests (RequireJS)", new openbisRequireJS(), dtos) + executeModule("Login tests (module VAR)", new window.openbis.openbis(), window.openbis) + executeModule("Login tests (module ESM)", new window.openbisESM.openbis(), window.openbisESM) + }) + }) +}) diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-search.js b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-search.js deleted file mode 100644 index edf4529582b8648ed7dbeffbcaede89babf62ece..0000000000000000000000000000000000000000 --- a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-search.js +++ /dev/null @@ -1,3876 +0,0 @@ -define([ 'jquery', 'underscore', 'openbis', 'test/openbis-execute-operations', 'test/common', 'test/dtos', 'test/naturalsort' ], function($, _, openbis, openbisExecuteOperations, common, dtos, naturalsort) { - var executeModule = function(moduleName, facade, dtos) { - QUnit.module(moduleName); - - var testSearch = function(c, fSearch, fCheck, fCheckError) { - c.start(); - - c.login(facade).then(function() { - c.ok("Login"); - return fSearch(facade).then(function(results) { - c.ok("Got results"); - try { - fCheck(facade, results.getObjects()); - } catch (e) { - if (fCheckError) { - fCheckError(e); - } else { - c.fail(e.message); - } - console.error("Exception.", e.message); - throw e; - } finally { - c.finish(); - } - }); - }).fail(function(error) { - if (fCheckError) { - fCheckError(error); - } else { - c.fail(error ? error.message : "Unknown error."); - } - c.finish(); - }); - } - - var testSearchWithPagingAndSortingByAll = function(c, fSearch, fetchOptions) { - testSearchWithPagingAndSorting(c, fSearch, fetchOptions, "code").then(function() { - testSearchWithPagingAndSorting(c, fSearch, fetchOptions, "registrationDate"); - }); - } - - var testSearchWithPagingAndGenericSorting = function(c, fSearch, fetchOptions, fieldName, fieldParameters, disableSortCheck, codeOfFirstAsc, - comparator) { - c.start(); - - fetchOptions.from(null).count(null); - fetchOptions.sort = null; - - return c.login(facade).then(function() { - c.ok("Login"); - - return fSearch(facade).then(function(results) { - var objects = results.getObjects(); - - c.assertTrue(objects.length > 1, "Got at least 2 objects"); - - c.ok("Sorting by " + fieldName); - var fieldGetterName = "get" + fieldName.substr(0, 1).toUpperCase() + fieldName.substr(1); - - if(disableSortCheck && codeOfFirstAsc) { - fetchOptions.from(0).count(1); - } else { - var comparatorAsc = function(o1, o2) { - var v1 = o1[fieldGetterName](fieldParameters); - var v2 = o2[fieldGetterName](fieldParameters); - - return comparator(v1, v2); - }; - - var comparatorDesc = function(o1, o2) { - return comparatorAsc(o2, o1); - }; - - objects.sort(comparatorAsc); - var codesAsc = objects.map(function(object) { - return object.code; - }); - - objects.sort(comparatorDesc); - var codesDesc = objects.map(function(object) { - return object.code; - }); - - fetchOptions.from(1).count(1); - } - - fetchOptions.sortBy()[fieldName](fieldParameters); - return fSearch(facade).then(function(results) { - c.ok("Got results ASC"); - if(disableSortCheck && codeOfFirstAsc) { - c.assertObjectsWithValues(results.getObjects(), "code", [ codeOfFirstAsc ]); - fetchOptions.from(null).count(null); - } else { - c.assertObjectsWithValues(results.getObjects(), "code", [ codesAsc[1] ]); - } - - fetchOptions.sortBy()[fieldName](fieldParameters).desc(); - return fSearch(facade).then(function(results) { - c.ok("Got results DESC"); - if(disableSortCheck && codeOfFirstAsc) { - var lastObject = results.getObjects()[results.getObjects().length - 1]; - c.assertObjectsWithValues([lastObject], "code", [ codeOfFirstAsc ]); - } else { - c.assertObjectsWithValues(results.getObjects(), "code", [ codesDesc[1] ]); - } - c.finish(); - }); - }); - }); - }).fail(function(error) { - c.fail(error.message); - c.finish(); - }); - }; - - var testSearchWithPagingAndSorting = function(c, fSearch, fetchOptions, fieldName, fieldParameters, disableSortCheck, codeOfFirstAsc) { - return testSearchWithPagingAndGenericSorting(c, fSearch, fetchOptions, fieldName, fieldParameters, disableSortCheck, codeOfFirstAsc, - naturalsort); - }; - - var testSearchWithPagingAndStringSorting = function(c, fSearch, fetchOptions, fieldName, fieldParameters, disableSortCheck, codeOfFirstAsc) { - return testSearchWithPagingAndGenericSorting(c, fSearch, fetchOptions, fieldName, fieldParameters, disableSortCheck, codeOfFirstAsc, - (v1, v2) => (v1 > v2) ? -1 : (v2 > v1) ? 1 : 0); - }; - - QUnit.test("searchSpaces()", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.SpaceSearchCriteria(); - criteria.withCode().thatEquals("TEST"); - return facade.searchSpaces(criteria, c.createSpaceFetchOptions()); - }; - - var fCheck = function(facade, spaces) { - c.assertEqual(spaces.length, 1); - var space = spaces[0]; - c.assertEqual(space.getPermId(), "TEST", "PermId"); - c.assertEqual(space.getCode(), "TEST", "Code"); - c.assertEqual(space.getDescription(), null, "Description"); - c.assertDate(space.getRegistrationDate(), "Registration date", 2013, 4, 12, 12, 59); - c.assertEqual(space.getRegistrator().getUserId(), "admin", "Registrator userId"); - c.assertObjectsWithCollections(space, function(object) { - return object.getSamples() - }); - c.assertObjectsWithCollections(space, function(object) { - return object.getProjects() - }); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSpaces() with codes", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.SpaceSearchCriteria(); - criteria.withCodes().thatIn(["TEST"]); - return facade.searchSpaces(criteria, c.createSpaceFetchOptions()); - } - - var fCheck = function(facade, spaces) { - c.assertEqual(spaces.length, 1); - var space = spaces[0]; - c.assertEqual(space.getCode(), "TEST", "Code"); - c.assertEqual(space.getDescription(), null, "Description"); - c.assertDate(space.getRegistrationDate(), "Registration date", 2013, 4, 12, 12, 59); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSpaces() with paging and sorting", function(assert) { - var c = new common(assert, dtos); - - var criteria = new dtos.SpaceSearchCriteria(); - criteria.withOrOperator(); - criteria.withCode().thatEquals("TEST"); - criteria.withCode().thatEquals("PLATONIC"); - - var fo = c.createSpaceFetchOptions(); - - testSearchWithPagingAndSortingByAll(c, function(facade) { - return facade.searchSpaces(criteria, fo); - }, fo); - }); - - QUnit.test("searchProjects()", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.ProjectSearchCriteria(); - criteria.withSpace().withCode().thatEquals("PLATONIC"); - criteria.withCode().thatEquals("SCREENING-EXAMPLES"); - return facade.searchProjects(criteria, c.createProjectFetchOptions()); - } - - var fCheck = function(facade, projects) { - c.assertEqual(projects.length, 1); - var project = projects[0]; - c.assertEqual(project.getPermId().getPermId(), "20130412103942912-1", "PermId"); - c.assertEqual(project.getIdentifier().getIdentifier(), "/PLATONIC/SCREENING-EXAMPLES", "Identifier"); - c.assertEqual(project.getCode(), "SCREENING-EXAMPLES", "Code"); - c.assertEqual(project.getDescription(), null, "Description"); - c.assertDate(project.getRegistrationDate(), "Registration date", 2013, 4, 12, 8, 39); - c.assertObjectsWithCollections(project, function(object) { - return object.getExperiments() - }); - c.assertEqual(project.getSpace().getCode(), "PLATONIC", "Space code"); - c.assertEqual(project.getRegistrator().getUserId(), "admin", "Registrator userId"); - c.assertEqual(project.getLeader(), null, "Leader"); - c.assertObjectsWithoutCollections(project, function(object) { - return object.getAttachments() - }); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchProjects() with codes", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.ProjectSearchCriteria(); - criteria.withCodes().thatIn(["SCREENING-EXAMPLES"]); - return facade.searchProjects(criteria, c.createProjectFetchOptions()); - } - - var fCheck = function(facade, projects) { - c.assertEqual(projects.length, 1); - var project = projects[0]; - c.assertEqual(project.getCode(), "SCREENING-EXAMPLES", "Code"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchProjects() with paging and sorting", function(assert) { - var c = new common(assert, dtos); - - var criteria = new dtos.ProjectSearchCriteria(); - criteria.withOrOperator(); - criteria.withCode().thatEquals("TEST-PROJECT"); - criteria.withCode().thatEquals("SCREENING-EXAMPLES"); - - var fo = c.createProjectFetchOptions(); - - testSearchWithPagingAndSortingByAll(c, function(facade) { - return facade.searchProjects(criteria, fo); - }, fo); - }); - - QUnit.test("searchProjects() with sorting by identifier", function(assert) { - var c = new common(assert, dtos); - - var criteria = new dtos.ProjectSearchCriteria(); - criteria.withOrOperator(); - criteria.withId().thatEquals(new dtos.ProjectIdentifier("/TEST/TEST-PROJECT")); - criteria.withId().thatEquals(new dtos.ProjectIdentifier("/PLATONIC/SCREENING-EXAMPLES")); - - var fo = c.createProjectFetchOptions(); - - testSearchWithPagingAndSorting(c, function(facade) { - return facade.searchProjects(criteria, fo); - }, fo, "identifier"); - }); - - QUnit.test("searchExperiments()", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.ExperimentSearchCriteria(); - criteria.withPermId().thatEquals("20130412105232616-2"); - return facade.searchExperiments(criteria, c.createExperimentFetchOptions()); - } - - var fCheck = function(facade, experiments) { - c.assertEqual(experiments.length, 1); - var experiment = experiments[0]; - c.assertEqual(experiment.getCode(), "EXP-1", "Experiment code"); - c.assertEqual(experiment.getType().getCode(), "HCS_PLATONIC", "Type code"); - c.assertEqual(experiment.getProject().getCode(), "SCREENING-EXAMPLES", "Project code"); - c.assertEqual(experiment.getProject().getSpace().getCode(), "PLATONIC", "Space code"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchExperiments() with codes", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.ExperimentSearchCriteria(); - criteria.withCodes().thatIn(["EXP-1"]); - return facade.searchExperiments(criteria, c.createExperimentFetchOptions()); - } - - var fCheck = function(facade, experiments) { - c.assertEqual(experiments.length, 1); - var experiment = experiments[0]; - c.assertEqual(experiment.getCode(), "EXP-1", "Experiment code"); - c.assertEqual(experiment.getType().getCode(), "HCS_PLATONIC", "Type code"); - c.assertEqual(experiment.getProject().getCode(), "SCREENING-EXAMPLES", "Project code"); - c.assertEqual(experiment.getProject().getSpace().getCode(), "PLATONIC", "Space code"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchExperiments() with paging and sorting", function(assert) { - var c = new common(assert, dtos); - - var criteria = new dtos.ExperimentSearchCriteria(); - criteria.withOrOperator(); - criteria.withCode().thatEquals("EXP-1"); - criteria.withCode().thatEquals("EXP-2"); - - var fo = c.createExperimentFetchOptions(); - - testSearchWithPagingAndSortingByAll(c, function(facade) { - return facade.searchExperiments(criteria, fo); - }, fo); - }); - - QUnit.test("searchExperiments() with paging and sorting by code", function(assert) { - var c = new common(assert, dtos); - - var criteria = new dtos.ExperimentSearchCriteria(); - criteria.withOrOperator(); - criteria.withCode().thatContains("EXP"); - criteria.withCode().thatContains("-1"); - - var fo = c.createExperimentFetchOptions(); - - testSearchWithPagingAndStringSorting(c, function(facade) { - return facade.searchExperiments(criteria, fo); - }, fo, "code", null, true, "DEFAULT_EXPERIMENT"); - }); - - QUnit.test("searchExperiments() with sorting by identifier", function(assert) { - var c = new common(assert, dtos); - - var criteria = new dtos.ExperimentSearchCriteria(); - criteria.withOrOperator(); - criteria.withId().thatEquals(new dtos.ExperimentIdentifier("/TEST/TEST-PROJECT/TEST-EXPERIMENT")); - criteria.withId().thatEquals(new dtos.ExperimentIdentifier("/PLATONIC/SCREENING-EXAMPLES/EXP-2")); - - var fo = c.createExperimentFetchOptions(); - - testSearchWithPagingAndSorting(c, function(facade) { - return facade.searchExperiments(criteria, fo); - }, fo, "identifier"); - }); - - QUnit.test("searchExperiments() with sorting by type", function(assert) { - var c = new common(assert, dtos); - - var criteria = new dtos.ExperimentSearchCriteria(); - criteria.withOrOperator(); - criteria.withId().thatEquals(new dtos.ExperimentIdentifier("/TEST/TEST-PROJECT/TEST-EXPERIMENT")); - criteria.withId().thatEquals(new dtos.ExperimentIdentifier("/PLATONIC/SCREENING-EXAMPLES/EXP-2")); - - var fo = c.createExperimentFetchOptions(); - - testSearchWithPagingAndSorting(c, function(facade) { - return facade.searchExperiments(criteria, fo); - }, fo, "type"); - }); - - QUnit.test("searchExperiments() withRegistrator withUserId", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.ExperimentSearchCriteria(); - criteria.withRegistrator().withUserId().thatEquals("etlserver"); - return facade.searchExperiments(criteria, c.createExperimentFetchOptions()); - } - - var fCheck = function(facade, experiments) { - c.assertObjectsWithValues(experiments, "code", [ "TEST-EXPERIMENT" ]); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchExperiments() withModifier withUserId", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.ExperimentSearchCriteria(); - criteria.withModifier().withUserId().thatEquals("etlserver"); - return facade.searchExperiments(criteria, c.createExperimentFetchOptions()); - } - - var fCheck = function(facade, experiments) { - c.assertObjectsWithValues(experiments, "code", [ "EXP-1", "EXP-2", "TEST-EXPERIMENT-3" ]); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchExperiments() withModifier withUserId negated", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.ExperimentSearchCriteria().withAndOperator(); - criteria.withModifier().withUserId().thatEquals("etlserver"); - criteria.withSubcriteria().negate().withCode().thatEndsWith("-2"); - return facade.searchExperiments(criteria, c.createExperimentFetchOptions()); - } - - var fCheck = function(facade, experiments) { - c.assertObjectsWithValues(experiments, "code", [ "EXP-1", "TEST-EXPERIMENT-3" ]); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchExperiments() withIdentifier", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.ExperimentSearchCriteria(); - criteria.withIdentifier().thatEquals("/TEST/TEST-PROJECT/TEST-EXPERIMENT"); - return facade.searchExperiments(criteria, c.createExperimentFetchOptions()); - } - - var fCheck = function(facade, experiments) { - c.assertEqual(experiments.length, 1); - c.assertEqual(experiments[0].getIdentifier(), "/TEST/TEST-PROJECT/TEST-EXPERIMENT"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchExperiments() with nested logical operators", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.ExperimentSearchCriteria().withAndOperator(); - - var subCriteria1 = criteria.withSubcriteria().withOrOperator(); - subCriteria1.withCode().thatStartsWith("TEST"); - subCriteria1.withCode().thatStartsWith("EXP"); - - var subCriteria2 = criteria.withSubcriteria().withOrOperator(); - subCriteria2.withCode().thatEndsWith("1"); - subCriteria2.withCode().thatEndsWith("2"); - - return facade.searchExperiments(criteria, c.createExperimentFetchOptions()); - } - - var fCheck = function(facade, experiments) { - var identifiers = c.extractIdentifiers(experiments); - c.assertEqual(identifiers.length, 3); - c.assertEqual(identifiers.toString(), - "/PLATONIC/SCREENING-EXAMPLES/EXP-1,/PLATONIC/SCREENING-EXAMPLES/EXP-2,/TEST/TEST-PROJECT/TEST-EXPERIMENT-2"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchExperimentTypes() with and operator", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.ExperimentTypeSearchCriteria(); - criteria.withAndOperator(); - criteria.withCode().thatStartsWith("H"); - criteria.withCode().thatContains("SEQUENCING"); - var fetchOptions = new dtos.ExperimentTypeFetchOptions(); - fetchOptions.withPropertyAssignments().withPropertyType(); - return facade.searchExperimentTypes(criteria, fetchOptions); - } - - var fCheck = function(facade, experimentTypes) { - c.assertEqual(experimentTypes.length, 1, "Number of experiment types"); - var type = experimentTypes[0]; - c.assertEqual(type.getCode(), "HT_SEQUENCING", "Experiment type code"); - c.assertEqual(type.getFetchOptions().hasPropertyAssignments(), true); - c.assertEqual(type.getFetchOptions().withPropertyAssignments().withPropertyType().hasVocabulary(), false); - var assignments = type.getPropertyAssignments(); - c.assertEqual(assignments.length, 1, "Number of property assignments"); - c.assertEqual(assignments[0].isMandatory(), false, "Mandatory property assignment?"); - var propertyType = assignments[0].getPropertyType(); - c.assertEqual(propertyType.getCode(), "EXPERIMENT_DESIGN", "Property type code"); - c.assertEqual(propertyType.getLabel(), "Experiment Design", "Property type label"); - c.assertEqual(propertyType.getDescription(), "", "Property type description"); - c.assertEqual(propertyType.getDataType(), "CONTROLLEDVOCABULARY", "Property data type"); - c.assertEqual(propertyType.isManagedInternally(), false, "Property type managed internally?"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchExperimentTypes() with or operator", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.ExperimentTypeSearchCriteria(); - criteria.withOrOperator(); - criteria.withCode().thatStartsWith("H"); - criteria.withCode().thatContains("PLATONIC"); - var fetchOptions = new dtos.ExperimentTypeFetchOptions(); - return facade.searchExperimentTypes(criteria, fetchOptions); - } - - var fCheck = function(facade, experimentTypes) { - experimentTypes.sort(); - c.assertEqual(experimentTypes.toString(), "HCS_PLATONIC,HT_SEQUENCING,MICROSCOPY_PLATONIC", "Experiment types"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchExperimentTypes() with vocabularies", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.ExperimentTypeSearchCriteria(); - criteria.withCode().thatStartsWith("HT"); - var fetchOptions = new dtos.ExperimentTypeFetchOptions(); - fetchOptions.withPropertyAssignments().withPropertyType().withVocabulary(); - return facade.searchExperimentTypes(criteria, fetchOptions); - } - - var fCheck = function(facade, experimentTypes) { - c.assertEqual(experimentTypes.length, 1, "Number of experiment types"); - var type = experimentTypes[0]; - c.assertEqual(type.getCode(), "HT_SEQUENCING", "Experiment type code"); - c.assertEqual(type.getFetchOptions().hasPropertyAssignments(), true); - c.assertEqual(type.getFetchOptions().withPropertyAssignments().withPropertyType().hasVocabulary(), true); - var assignments = type.getPropertyAssignments(); - c.assertEqual(assignments.length, 1, "Number of property assignments"); - c.assertEqual(assignments[0].isMandatory(), false, "Mandatory property assignment?"); - var propertyType = assignments[0].getPropertyType(); - c.assertEqual(propertyType.getCode(), "EXPERIMENT_DESIGN", "Property type code"); - c.assertEqual(propertyType.getLabel(), "Experiment Design", "Property type label"); - c.assertEqual(propertyType.getDescription(), "", "Property type description"); - c.assertEqual(propertyType.getDataType(), "CONTROLLEDVOCABULARY", "Property data type"); - c.assertEqual(propertyType.getVocabulary().getCode(), "EXPERIMENT_DESIGN", "Vocabulary code"); - c.assertEqual(propertyType.isManagedInternally(), false, "Property type managed internally?"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSamples()", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.SampleSearchCriteria(); - criteria.withPermId().thatEquals("20130415095748527-404"); - return facade.searchSamples(criteria, c.createSampleFetchOptions()); - } - - var fCheck = function(facade, samples) { - c.assertEqual(samples.length, 1); - var sample = samples[0]; - c.assertEqual(sample.code, "TEST-SAMPLE-2-PARENT", "Sample code"); - c.assertEqual(sample.type.code, "UNKNOWN", "Type code"); - c.assertEqual(sample.experiment.code, "TEST-EXPERIMENT-2", "Experiment code"); - c.assertEqual(sample.experiment.project.code, "TEST-PROJECT", "Project code"); - c.assertEqual(sample.space.code, "TEST", "Space code"); - c.assertNotEqual(sample.children, null, "Children expected"); - if (sample.children !== null) { - console.log("Children %s", sample.children); - var child = sample.children[0]; - c.assertEqual(sample.children.length, 1, "Number of children"); - c.assertEqual(child.code, "TEST-SAMPLE-2", "Child sample code"); - c.assertEqual(child.type.code, "UNKNOWN", "Child type code"); - c.assertEqual(child.experiment.code, "TEST-EXPERIMENT-2", "Child experiment code"); - c.assertNotEqual(child.children, null, "Grand children expected"); - if (child.children !== null) { - c.assertEqual(child.children.length, 2, "Number of grand children"); - } - } - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSamples() with codes", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.SampleSearchCriteria(); - criteria.withCodes().thatIn(["TEST-SAMPLE-2-PARENT"]); - return facade.searchSamples(criteria, c.createSampleFetchOptions()); - } - - var fCheck = function(facade, samples) { - c.assertEqual(samples.length, 1); - var sample = samples[0]; - c.assertEqual(sample.code, "TEST-SAMPLE-2-PARENT", "Sample code"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSamples() with paging and sorting", function(assert) { - var c = new common(assert, dtos); - - var criteria = new dtos.SampleSearchCriteria(); - criteria.withOrOperator(); - criteria.withCode().thatEquals("TEST-SAMPLE-1"); - criteria.withCode().thatEquals("TEST-SAMPLE-2"); - - var fo = c.createSampleFetchOptions(); - - testSearchWithPagingAndSortingByAll(c, function(facade) { - return facade.searchSamples(criteria, fo); - }, fo); - }); - - QUnit.test("searchSamples() with paging and sorting by code", function(assert) { - var c = new common(assert, dtos); - - var criteria = new dtos.SampleSearchCriteria(); - criteria.withOrOperator(); - criteria.withCode().thatContains("TEST-SAMPLE-1"); - - var fo = c.createSampleFetchOptions(); - - testSearchWithPagingAndSorting(c, function(facade) { - return facade.searchSamples(criteria, fo); - }, fo, "code", null, true,"TEST-SAMPLE-1"); - }); - - QUnit.test("searchSamples() withoutSpace", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("SAMPLE"); - var waitUntilIndexed = function(facade, samplePermId, timeout, action) { - if (timeout < 0) { - c.fail("Sample " + samplePermId + " after " + timeout + " msec."); - } - setTimeout(function() { - c.ok("Wait until " + samplePermId + " indexed. " + timeout); - var criteria = new dtos.SampleSearchCriteria(); - criteria.withPermId().thatEquals(samplePermId); - facade.searchSamples(criteria, c.createSampleFetchOptions()).then(function(result) { - if (result.getTotalCount() == 0) { - waitUntilIndexed(facade, samplePermId, timeout - 1000, action); - } else { - action(); - } - }); - }, 1000) - }; - - c.start(); - c.login(facade).then(function() { - c.ok("Login"); - var creation = new dtos.SampleCreation(); - creation.setTypeId(new dtos.EntityTypePermId("UNKNOWN")); - creation.setCode(code); - facade.createSamples([ creation ]).then(function(permIds) { - var permId = permIds[0]; - c.ok("Shared sample created: " + permId); - waitUntilIndexed(facade, permId.getPermId(), 10000, function() { - var criteria = new dtos.SampleSearchCriteria(); - criteria.withoutSpace(); - facade.searchSamples(criteria, c.createSampleFetchOptions()).then(function(results) { - c.ok("Got results"); - var samples = results.getObjects(); - c.assertObjectsWithValues(samples, "identifier", [ "/" + code ]); - c.deleteSample(facade, permId).then(function() { - c.ok("Sample " + permId + " trashed"); - c.finish(); - }); - }); - }); - }); - }).fail(function(error) { - c.fail(error.message); - c.finish(); - }); - }); - - QUnit.test("searchSamples() withoutExperiment", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.SampleSearchCriteria(); - criteria.withCode().thatStartsWith("TEST-SAMPLE"); - criteria.withoutExperiment(); - return facade.searchSamples(criteria, c.createSampleFetchOptions()); - } - - var fCheck = function(facade, samples) { - c.assertObjectsWithValues(samples, "code", [ "TEST-SAMPLE-1-CONTAINED-1", "TEST-SAMPLE-1-CONTAINED-2", "TEST-SAMPLE-1" ]); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSamples() withExperiment", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.SampleSearchCriteria(); - criteria.withCode().thatStartsWith("TEST-SAMPLE"); - criteria.withExperiment(); - return facade.searchSamples(criteria, c.createSampleFetchOptions()); - } - - var fCheck = function(facade, samples) { - c.assertObjectsWithValues(samples, "code", [ "TEST-SAMPLE-2-CHILD-2", "TEST-SAMPLE-2-CHILD-1", "TEST-SAMPLE-2-PARENT", "TEST-SAMPLE-2" ]); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSamples() withoutContainer", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.SampleSearchCriteria(); - criteria.withCode().thatStartsWith("TEST-SAMPLE"); - criteria.withoutContainer(); - return facade.searchSamples(criteria, c.createSampleFetchOptions()); - } - - var fCheck = function(facade, samples) { - c.assertObjectsWithValues(samples, "code", [ "TEST-SAMPLE-2", "TEST-SAMPLE-1", "TEST-SAMPLE-2-PARENT", "TEST-SAMPLE-2-CHILD-1", "TEST-SAMPLE-2-CHILD-2" ]); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSamples() withoutContainer negated", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.SampleSearchCriteria().withAndOperator(); - criteria.withCode().thatStartsWith("TEST-SAMPLE"); - criteria.withoutContainer(); - criteria.withSubcriteria().negate().withCode().thatEndsWith("-1"); - return facade.searchSamples(criteria, c.createSampleFetchOptions()); - } - - var fCheck = function(facade, samples) { - c.assertObjectsWithValues(samples, "code", [ "TEST-SAMPLE-2", "TEST-SAMPLE-2-PARENT", - "TEST-SAMPLE-2-CHILD-2" ]); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSamples() withContainer", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.SampleSearchCriteria(); - criteria.withCode().thatStartsWith("TEST-SAMPLE"); - criteria.withContainer(); - return facade.searchSamples(criteria, c.createSampleFetchOptions()); - } - - var fCheck = function(facade, samples) { - c.assertObjectsWithValues(samples, "code", [ "TEST-SAMPLE-1-CONTAINED-1", "TEST-SAMPLE-1-CONTAINED-2" ]); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSamples() withChildren", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.SampleSearchCriteria(); - criteria.withChildren().withCode().thatContains("CHILD"); - return facade.searchSamples(criteria, c.createSampleFetchOptions()); - } - - var fCheck = function(facade, samples) { - c.assertObjectsWithValues(samples, "code", [ "TEST-SAMPLE-2" ]); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSamples() withParents", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.SampleSearchCriteria(); - criteria.withParents().withCode().thatContains("ARE"); - return facade.searchSamples(criteria, c.createSampleFetchOptions()); - } - - var fCheck = function(facade, samples) { - c.assertObjectsWithValues(samples, "code", [ "TEST-SAMPLE-2" ]); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSamples() with sorting by identifier", function(assert) { - var c = new common(assert, dtos); - - var criteria = new dtos.SampleSearchCriteria(); - criteria.withOrOperator(); - criteria.withId().thatEquals(new dtos.SampleIdentifier("/PLATONIC/SCREENING-EXAMPLES/PLATE-1")); - criteria.withId().thatEquals(new dtos.SampleIdentifier("/TEST/TEST-SAMPLE-1")); - - var fo = c.createSampleFetchOptions(); - - testSearchWithPagingAndSorting(c, function(facade) { - return facade.searchSamples(criteria, fo); - }, fo, "identifier"); - }); - - QUnit.test("searchSamples() with sorting by type", function(assert) { - var c = new common(assert, dtos); - - var criteria = new dtos.SampleSearchCriteria(); - criteria.withOrOperator(); - criteria.withId().thatEquals(new dtos.SampleIdentifier("/PLATONIC/SCREENING-EXAMPLES/PLATE-1")); - criteria.withId().thatEquals(new dtos.SampleIdentifier("/TEST/TEST-SAMPLE-1")); - - var fo = c.createSampleFetchOptions(); - - testSearchWithPagingAndSorting(c, function(facade) { - return facade.searchSamples(criteria, fo); - }, fo, "type"); - }); - - QUnit.test("searchSamples() withRegistrator withUserId", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.SampleSearchCriteria(); - criteria.withRegistrator().withUserId().thatEquals("etlserver"); - return facade.searchSamples(criteria, c.createSampleFetchOptions()); - } - - var fCheck = function(facade, samples) { - c.assertObjectsWithValues(samples, "code", [ "TEST-SAMPLE-1", "TEST-SAMPLE-2" ]); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSamples() withModifier withUserId", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.SampleSearchCriteria(); - criteria.withModifier().withUserId().thatEquals("etlserver"); - return facade.searchSamples(criteria, c.createSampleFetchOptions()); - } - - var fCheck = function(facade, samples) { - c.assertObjectsWithValues(samples, "code", [ "PLATE-1A", "PLATE-2", "SERIES-1" ]); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSamples() withIdentifier", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.SampleSearchCriteria(); - criteria.withIdentifier().thatEquals("/PLATONIC/SCREENING-EXAMPLES/PLATE-1"); - return facade.searchSamples(criteria, c.createSampleFetchOptions()); - } - - var fCheck = function(facade, samples) { - c.assertEqual(samples.length, 1); - c.assertEqual(samples[0].getIdentifier(), "/PLATONIC/SCREENING-EXAMPLES/PLATE-1"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSamples() with code that is less than", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.SampleSearchCriteria(); - criteria.withCode().thatIsLessThan("A1"); - return facade.searchSamples(criteria, c.createSampleFetchOptions()); - } - - var fCheck = function(facade, samples) { - identifiers = c.extractIdentifiers(samples); - c.assertEqual(identifiers.length, 0); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSamples() with code that is less than or equal to", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.SampleSearchCriteria(); - criteria.withCode().thatIsLessThanOrEqualTo("PLATE-2:A1"); - return facade.searchSamples(criteria, c.createSampleFetchOptions()); - } - - var fCheck = function(facade, samples) { - identifiers = c.extractIdentifiers(samples); - var identifiersString = identifiers.toString(); - c.assertTrue(identifiersString.indexOf("/PLATONIC/SCREENING-EXAMPLES/PLATE-1:A1") >= 0); - c.assertTrue(identifiersString.indexOf("/PLATONIC/SCREENING-EXAMPLES/PLATE-2:A1") >= 0); - c.assertTrue(identifiersString.indexOf("/TEST/TEST-PROJECT/PLATE-1A:A1") >= 0); - c.assertTrue(identifiersString.indexOf("/TEST/TEST-PROJECT/PLATE-2:A1") >= 0); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSamples() with code that is greater than", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.SampleSearchCriteria(); - criteria.withCode().thatIsGreaterThan("TEST-SAMPLE-2-CHILD-2"); - criteria.withCode().thatIsLessThan("V"); - return facade.searchSamples(criteria, c.createSampleFetchOptions()); - } - - var fCheck = function(facade, samples) { - identifiers = c.extractIdentifiers(samples); - c.assertEqual(identifiers.length, 2); - c.assertEqual(identifiers.toString(), "/ELN_SETTINGS/STORAGES/TEST_STORAGE,/TEST/TEST-PROJECT/TEST-SAMPLE-2-PARENT"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSamples() with code that is greater than or equal to", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.SampleSearchCriteria(); - criteria.withCode().thatIsGreaterThanOrEqualTo("TEST-SAMPLE-2-CHILD-2"); - criteria.withCode().thatIsLessThan("V"); - return facade.searchSamples(criteria, c.createSampleFetchOptions()); - } - - var fCheck = function(facade, samples) { - identifiers = c.extractIdentifiers(samples); - c.assertEqual(identifiers.length, 3); - c.assertEqual(identifiers.toString(), "/ELN_SETTINGS/STORAGES/TEST_STORAGE,/TEST/TEST-PROJECT/TEST-SAMPLE-2-CHILD-2,/TEST/TEST-PROJECT/TEST-SAMPLE-2-PARENT"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSamples() with nested logical operators", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.SampleSearchCriteria().withAndOperator(); - - var subCriteria1 = criteria.withSubcriteria().withOrOperator(); - subCriteria1.withIdentifier().thatStartsWith("/PLATONIC/SCREENING-EXAMPLES/PLATE-1"); - subCriteria1.withIdentifier().thatStartsWith("/TEST/TEST-PROJECT/PLATE-2"); - - var subCriteria2 = criteria.withSubcriteria().withOrOperator(); - subCriteria2.withIdentifier().thatEndsWith(":A1"); - subCriteria2.withIdentifier().thatEndsWith(":A2"); - - return facade.searchSamples(criteria, c.createSampleFetchOptions()); - } - - var fCheck = function(facade, samples) { - var identifiers = c.extractIdentifiers(samples); - c.assertEqual(identifiers.length, 4); - c.assertEqual(identifiers.toString(), - "/PLATONIC/SCREENING-EXAMPLES/PLATE-1:A1,/PLATONIC/SCREENING-EXAMPLES/PLATE-1:A2,/TEST/TEST-PROJECT/PLATE-2:A1,/TEST/TEST-PROJECT/PLATE-2:A2"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSampleTypes()", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.SampleTypeSearchCriteria(); - criteria.withCode().thatStartsWith("MA"); - - var fetchOptions = new dtos.SampleTypeFetchOptions(); - - var assignmentFetchOptions = fetchOptions.withPropertyAssignments(); - assignmentFetchOptions.withRegistrator(); - assignmentFetchOptions.sortBy().label().desc(); - - var propertyTypeFetchOptions = assignmentFetchOptions.withPropertyType(); - propertyTypeFetchOptions.withVocabulary(); - propertyTypeFetchOptions.withMaterialType(); - propertyTypeFetchOptions.withRegistrator(); - - return facade.searchSampleTypes(criteria, fetchOptions); - } - - var fCheck = function(facade, sampleTypes) { - c.assertEqual(sampleTypes.length, 1, "Number of sample types"); - var type = sampleTypes[0]; - c.assertEqual(type.getCode(), "MASTER_SAMPLE", "Sample type code"); - c.assertEqual(type.getFetchOptions().hasPropertyAssignments(), true); - var assignments = type.getPropertyAssignments(); - c.assertEqual(assignments.length, 8, "Number of property assignments"); - - var assignment = assignments[0]; - c.assertEqual(assignment.isMandatory(), true, "Mandatory property assignment?"); - c.assertEqual(assignment.getOrdinal(), 22, "Ordinal"); - c.assertEqual(assignment.getSection(), null, "Section"); - c.assertEqual(assignment.isShowInEditView(), true, "Show in edit view"); - c.assertEqual(assignment.isShowRawValueInForms(), false, "Show raw value in forms"); - c.assertDate(assignment.getRegistrationDate(), "Registration date", 2013, 4, 12, 8, 4); - c.assertEqual(assignment.getRegistrator().getUserId(), "system", "Registrator user id"); - - var propertyType = assignment.getPropertyType(); - c.assertEqual(propertyType.getCode(), "SAMPLE_KIND", "Property type code"); - c.assertEqual(propertyType.getLabel(), "Sample Kind", "Property type label"); - c.assertEqual(propertyType.getDescription(), "", "Property type description"); - c.assertEqual(propertyType.getDataType(), "CONTROLLEDVOCABULARY", "Property data type"); - c.assertEqual(propertyType.isManagedInternally(), false, "Property type managed internally?"); - c.assertEqual(propertyType.isManagedInternally(), false, "Property type managed internally?"); - c.assertEqual(propertyType.getVocabulary().getCode(), "SAMPLE_TYPE", "Property type vocabulary code"); - c.assertEqual(propertyType.getMaterialType(), null, "Property type vocabulary code"); - c.assertEqual(propertyType.getSchema(), null, "Property type schema"); - c.assertEqual(propertyType.getTransformation(), null, "Property type transformation"); - c.assertEqual(propertyType.getRegistrator().getUserId(), "system", "Registrator user id"); - c.assertDate(propertyType.getRegistrationDate(), "Registration date", 2013, 4, 12, 8, 4); - - c.assertEqual(assignments[1].getPropertyType().getCode(), "NCBI_ORGANISM_TAXONOMY", "Second property type code"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSampleTypes() with and operator", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.SampleTypeSearchCriteria(); - criteria.withAndOperator(); - criteria.withCode().thatStartsWith("ILL"); - criteria.withCode().thatEndsWith("LL"); - var fetchOptions = new dtos.SampleTypeFetchOptions(); - return facade.searchSampleTypes(criteria, fetchOptions); - } - - var fCheck = function(facade, sampleTypes) { - c.assertEqual(sampleTypes.toString(), "ILLUMINA_FLOW_CELL", "Sample types"); - } - - testSearch(c, fSearch, fCheck); - }); - - - QUnit.test("searchSampleTypes() with or operator", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.SampleTypeSearchCriteria(); - criteria.withOrOperator(); - criteria.withCode().thatStartsWith("ILL"); - criteria.withCode().thatEndsWith("LL"); - var fetchOptions = new dtos.SampleTypeFetchOptions(); - return facade.searchSampleTypes(criteria, fetchOptions); - } - - var fCheck = function(facade, sampleTypes) { - sampleTypes.sort(); - c.assertEqual(sampleTypes.toString(), "CONTROL_WELL,ILLUMINA_FLOW_CELL,ILLUMINA_FLOW_LANE,SIRNA_WELL", "Sample types"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSampleTypes() withSemanticAnnotations", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.SampleTypeSearchCriteria(); - criteria.withSemanticAnnotations().withPermId().thatEquals("ST_SIRNA_WELL"); - var fetchOptions = new dtos.SampleTypeFetchOptions(); - return facade.searchSampleTypes(criteria, fetchOptions); - } - - var fCheck = function(facade, sampleTypes) { - c.assertEqual(sampleTypes.length, 1, "Number of sample types"); - c.assertEqual(sampleTypes[0].getCode(), "SIRNA_WELL", "Sample type code"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSampleTypes() withPropertyAssignments withSemanticAnnotations", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.SampleTypeSearchCriteria(); - criteria.withPropertyAssignments().withSemanticAnnotations().withPermId().thatEquals("ST_ILLUMINA_FLOW_CELL_PT_CREATED_ON_CS"); - var fetchOptions = new dtos.SampleTypeFetchOptions(); - return facade.searchSampleTypes(criteria, fetchOptions); - } - - var fCheck = function(facade, sampleTypes) { - c.assertEqual(sampleTypes.length, 1, "Number of sample types"); - c.assertEqual(sampleTypes[0].getCode(), "ILLUMINA_FLOW_CELL", "Sample type code"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSampleTypes() withPropertyAssignments withPropertyType withSemanticAnnotations", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.SampleTypeSearchCriteria(); - criteria.withPropertyAssignments().withPropertyType().withSemanticAnnotations().withPermId().thatEquals("PT_AGILENT_KIT"); - var fetchOptions = new dtos.SampleTypeFetchOptions(); - return facade.searchSampleTypes(criteria, fetchOptions); - } - - var fCheck = function(facade, sampleTypes) { - c.assertEqual(sampleTypes.length, 2, "Number of sample types"); - c.assertObjectsWithValues(sampleTypes, "code", [ "LIBRARY", "LIBRARY_POOL" ]); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchDataSets()", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.DataSetSearchCriteria(); - criteria.withPermId().thatEquals("20130415093804724-403"); - return facade.searchDataSets(criteria, c.createDataSetFetchOptions()); - } - - var fCheck = function(facade, dataSets) { - c.assertEqual(dataSets.length, 1); - var dataSet = dataSets[0]; - c.assertEqual(dataSet.getCode(), "20130415093804724-403", "Code"); - c.assertEqual(dataSet.getType().getCode(), "UNKNOWN", "Type code"); - c.assertEqual(dataSet.getExperiment().getCode(), "TEST-EXPERIMENT-2", "Experiment code"); - c.assertEqual(dataSet.getSample().getCode(), "TEST-SAMPLE-2", "Sample code"); - c.assertEqual(dataSet.getProperties()["DESCRIPTION"], "403 description", "Property DESCRIPTION"); - c.assertEqual(dataSet.isPostRegistered(), true, "post registered"); - - var physicalData = dataSet.getPhysicalData(); - c.assertEqual(physicalData.getShareId(), "1", "Share id"); - c.assertEqual(physicalData.getLocation(), "1FD3FF61-1576-4908-AE3D-296E60B4CE06/06/e5/ad/20130415093804724-403", "Location"); - c.assertEqual(physicalData.getStatus(), "AVAILABLE", "Status"); - c.assertEqual(physicalData.getFileFormatType().getCode(), "PROPRIETARY", "File format type"); - c.assertEqual(physicalData.getLocatorType().getCode(), "RELATIVE_LOCATION", "Locator type"); - - c.assertObjectsWithValues(dataSet.getParents(), "code", [ "20130415100158230-407" ]); - c.assertObjectsWithValues(dataSet.getChildren(), "code", [ "20130415100238098-408", "20130415100308111-409" ]); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchDataSets() with codes", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.DataSetSearchCriteria(); - criteria.withCodes().thatIn(["20130412142543232-197"]); - return facade.searchDataSets(criteria, c.createDataSetFetchOptions()); - } - - var fCheck = function(facade, dataSets) { - c.assertEqual(dataSets.length, 1); - var dataSet = dataSets[0]; - c.assertEqual(dataSet.getCode(), "20130412142543232-197", "Code"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchDataSets() with paging and sorting", function(assert) { - var c = new common(assert, dtos); - - var criteria = new dtos.DataSetSearchCriteria(); - criteria.withOrOperator(); - criteria.withCode().thatEquals("20130412142205843-196"); - criteria.withCode().thatEquals("20130412142543232-197"); - - var fo = c.createDataSetFetchOptions(); - - testSearchWithPagingAndSortingByAll(c, function(facade) { - return facade.searchDataSets(criteria, fo); - }, fo); - }); - - QUnit.test("searchDataSets() with sorting by property", function(assert) { - var c = new common(assert, dtos); - - var criteria = new dtos.DataSetSearchCriteria(); - criteria.withOrOperator(); - criteria.withPermId().thatEquals("20130412142543232-197"); - criteria.withPermId().thatEquals("20130412142205843-196"); - criteria.withPermId().thatEquals("20130412142942295-198"); - - var fo = c.createDataSetFetchOptions(); - - testSearchWithPagingAndStringSorting(c, function(facade) { - return facade.searchDataSets(criteria, fo); - }, fo, "property", "$RESOLUTION"); - }); - - QUnit.test("searchDataSets() with sorting by type", function(assert) { - var c = new common(assert, dtos); - - var criteria = new dtos.DataSetSearchCriteria(); - criteria.withOrOperator(); - criteria.withPermId().thatEquals("20130412142543232-197"); - criteria.withPermId().thatEquals("20130412143121081-200"); - - var fo = c.createDataSetFetchOptions(); - - testSearchWithPagingAndSorting(c, function(facade) { - return facade.searchDataSets(criteria, fo); - }, fo, "type"); - }); - - QUnit.test("searchDataSets() withoutSample", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.DataSetSearchCriteria(); - criteria.withCode().thatContains("-40"); - criteria.withoutSample(); - return facade.searchDataSets(criteria, c.createDataSetFetchOptions()); - } - - var fCheck = function(facade, dataSets) { - c.assertObjectsWithValues(dataSets, "code", [ "20130415100158230-407", "20130415100308111-409" ]); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchDataSets() withSample", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.DataSetSearchCriteria(); - criteria.withCode().thatContains("-40"); - criteria.withSample(); - return facade.searchDataSets(criteria, c.createDataSetFetchOptions()); - } - - var fCheck = function(facade, dataSets) { - c.assertObjectsWithValues(dataSets, "code", [ "20130415093804724-403", "20130415100238098-408" ]); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchDataSets() withSample negated", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.DataSetSearchCriteria().withAndOperator(); - criteria.withCode().thatContains("-40"); - criteria.withSample(); - criteria.withSubcriteria().negate().withCode().thatEndsWith("8"); - return facade.searchDataSets(criteria, c.createDataSetFetchOptions()); - } - - var fCheck = function(facade, dataSets) { - c.assertObjectsWithValues(dataSets, "code", [ "20130415093804724-403" ]); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchDataSets() withSampleWithWildcardsEnabled", function(assert) { - var c = new common(assert, dtos); - - var fSearch2 = function(facade) { - var criteria = new dtos.DataSetSearchCriteria(); - criteria.withCode().withWildcards().thatEquals("*-40?"); - criteria.withSample(); - return facade.searchDataSets(criteria, c.createDataSetFetchOptions()); - } - - var fCheck2 = function(facade, dataSets) { - c.assertObjectsWithValues(dataSets, "code", [ "20130415093804724-403", "20130415100238098-408" ]); - } - - testSearch(c, fSearch2, fCheck2); - }); - - QUnit.test("searchDataSets() withSampleWithWildcardsDisabled", function(assert) { - var c = new common(assert, dtos); - - var fSearch1 = function(facade) { - var criteria = new dtos.DataSetSearchCriteria(); - criteria.withCode().withoutWildcards().thatEquals("*-40?"); - criteria.withSample(); - return facade.searchDataSets(criteria, c.createDataSetFetchOptions()); - } - - var fCheck1 = function(facade, dataSets) { - c.assertObjectsWithValues(dataSets, "code", []); - } - - testSearch(c, fSearch1, fCheck1); - }); - - QUnit.test("searchDataSets() withoutExperiment", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.DataSetSearchCriteria(); - criteria.withCode().thatContains("-40"); - criteria.withoutExperiment(); - return facade.searchDataSets(criteria, c.createDataSetFetchOptions()); - } - - var fCheck = function(facade, dataSets) { - c.assertObjectsWithValues(dataSets, "code", [ "20130415100238098-408" ]); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchDataSets() withExperiment", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.DataSetSearchCriteria(); - criteria.withCode().thatContains("-40"); - criteria.withExperiment(); - return facade.searchDataSets(criteria, c.createDataSetFetchOptions()); - } - - var fCheck = function(facade, dataSets) { - c.assertObjectsWithValues(dataSets, "code", [ "20130415093804724-403", "20130415100158230-407", "20130415100308111-409" ]); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchDataSets() withChildren", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.DataSetSearchCriteria(); - criteria.withChildren().withCode().thatEquals("20130415100238098-408"); - return facade.searchDataSets(criteria, c.createDataSetFetchOptions()); - } - - var fCheck = function(facade, dataSets) { - c.assertObjectsWithValues(dataSets, "code", [ "20130415093804724-403" ]); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchDataSets() withParents", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.DataSetSearchCriteria(); - criteria.withParents().withCode().thatEquals("20130415100158230-407"); - return facade.searchDataSets(criteria, c.createDataSetFetchOptions()); - } - - var fCheck = function(facade, dataSets) { - c.assertObjectsWithValues(dataSets, "code", [ "20130415093804724-403" ]); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchDataSets() withContainer", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.DataSetSearchCriteria(); - criteria.withContainer().withCode().thatEquals("20130412153119864-385"); - return facade.searchDataSets(criteria, c.createDataSetFetchOptions()); - } - - var fCheck = function(facade, dataSets) { - c.assertObjectsWithValues(dataSets, "code", [ "20130412153118625-384" ]); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchDataSets() withPhysicalData", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.DataSetSearchCriteria(); - var pdCriteria = criteria.withPhysicalData(); - pdCriteria.withLocation().thatEquals('"1FD3FF61-1576-4908-AE3D-296E60B4CE06/2e/ac/5a/20130412153118625-384"'); - pdCriteria.withStorageFormat().withCode().thatContains("PROPRIETARY"); - pdCriteria.withFileFormatType().withCode().thatContains("UNKNOWN"); - pdCriteria.withLocatorType().withCode().thatContains("RELATIVE_LOCATION"); - pdCriteria.withComplete().thatEquals("YES"); - pdCriteria.withStatus().thatEquals("AVAILABLE"); - pdCriteria.withPresentInArchive().thatEquals(false); - pdCriteria.withStorageConfirmation().thatEquals(true); - pdCriteria.withSpeedHint().thatEquals(-50); - - return facade.searchDataSets(criteria, c.createDataSetFetchOptions()); - } - - var fCheck = function(facade, dataSets) { - c.assertObjectsWithValues(dataSets, "code", [ "20130412153118625-384" ]); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchDataSets() withPhysicalData with archiving requested", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.DataSetSearchCriteria(); - criteria.withCode().thatStartsWith("2013"); - var pdCriteria = criteria.withPhysicalData(); - pdCriteria.withArchivingRequested().thatEquals(true); - - return facade.searchDataSets(criteria, c.createDataSetFetchOptions()); - } - - var fCheck = function(facade, dataSets) { - c.assertObjectsWithValues(dataSets, "code", [ "20130412152036861-380" ]); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchDataSets() withLinkedData", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.DataSetSearchCriteria(); - var ldCriteria = criteria.withLinkedData(); - ldCriteria.withExternalDms().withCode().thatEquals("DMS_1"); - - return facade.searchDataSets(criteria, c.createDataSetFetchOptions()); - } - - var fCheck = function(facade, dataSets) { - c.assertObjectsWithValues(dataSets, "code", [ "20160613195437233-437" ]); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchDataSets() withRegistrator withUserId", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.DataSetSearchCriteria(); - criteria.withRegistrator().withUserId().thatEquals("selenium"); - return facade.searchDataSets(criteria, c.createDataSetFetchOptions()); - } - - var fCheck = function(facade, dataSets) { - c.assertObjectsWithValues(dataSets, "code", [ "20130417094936021-428", "20130417094934693-427" ]); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchDataSets() withModifier withUserId", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.DataSetSearchCriteria(); - criteria.withModifier().withUserId().thatEquals("selenium"); - return facade.searchDataSets(criteria, c.createDataSetFetchOptions()); - } - - var fCheck = function(facade, dataSets) { - c.assertObjectsWithValues(dataSets, "code", [ "20130412143121081-200", "20130412153119864-385" ]); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchDataSets() with nested logical operators", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.DataSetSearchCriteria().withAndOperator(); - - var subCriteria1 = criteria.withSubcriteria().withOrOperator(); - subCriteria1.withCode().thatStartsWith("2016"); - subCriteria1.withCode().thatStartsWith("2013"); - - var subCriteria2 = criteria.withSubcriteria().withOrOperator(); - subCriteria2.withCode().thatEndsWith("1"); - subCriteria2.withCode().thatEndsWith("7"); - - return facade.searchDataSets(criteria, c.createDataSetFetchOptions()); - } - - var fCheck = function(facade, dataSets) { - var codes = c.extractCodes(dataSets); - c.assertEqual(codes.length, 7); - c.assertEqual(codes.toString(), - "20130412142543232-197,20130412152038345-381,20130412153659994-391,20130415100158230-407,20130417094934693-427,20130424111751432-431,20160613195437233-437" - ); - - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchDataSetTypes()", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.DataSetTypeSearchCriteria(); - criteria.withCode().thatStartsWith("MA"); - var fetchOptions = new dtos.DataSetTypeFetchOptions(); - fetchOptions.withPropertyAssignments().sortBy().code().asc(); - return facade.searchDataSetTypes(criteria, fetchOptions); - } - - var fCheck = function(facade, dataSetTypes) { - c.assertEqual(dataSetTypes.length, 1, "Number of data set types"); - var type = dataSetTypes[0]; - c.assertEqual(type.getCode(), "MACS_OUTPUT", "Data set type code"); - c.assertEqual(type.getFetchOptions().hasPropertyAssignments(), true); - var assignments = type.getPropertyAssignments(); - c.assertEqual(assignments.length, 2, "Number of property assignments"); - c.assertEqual(assignments[0].isMandatory(), false, "Mandatory property assignment?"); - var propertyType = assignments[0].getPropertyType(); - c.assertEqual(propertyType.getCode(), "MACS_VERSION", "Property type code"); - c.assertEqual(propertyType.getLabel(), "MACS VERSION", "Property type label"); - c.assertEqual(propertyType.getDescription(), "", "Property type description"); - c.assertEqual(propertyType.getDataType(), "CONTROLLEDVOCABULARY", "Property data type"); - c.assertEqual(propertyType.isManagedInternally(), false, "Property type managed internally?"); - c.assertEqual(assignments[1].getPropertyType().getCode(), "NOTES", "Second property type code"); - c.assertEqual(assignments[1].getPropertyType().getDataType(), "MULTILINE_VARCHAR", "Second property data type"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchDataSetTypes() with and operator", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.DataSetTypeSearchCriteria(); - criteria.withAndOperator(); - criteria.withCode().thatStartsWith("T"); - criteria.withCode().thatContains("V"); - var fetchOptions = new dtos.DataSetTypeFetchOptions(); - return facade.searchDataSetTypes(criteria, fetchOptions); - } - - var fCheck = function(facade, dataSetTypes) { - c.assertEqual(dataSetTypes.toString(), "TSV", "Data set types"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchDataSetTypes() with or operator", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.DataSetTypeSearchCriteria(); - criteria.withOrOperator(); - criteria.withCode().thatStartsWith("T"); - criteria.withCode().thatContains("RV"); - var fetchOptions = new dtos.DataSetTypeFetchOptions(); - return facade.searchDataSetTypes(criteria, fetchOptions); - } - - var fCheck = function(facade, dataSetTypes) { - dataSetTypes.sort(); - c.assertEqual(dataSetTypes.toString(), "HCS_IMAGE_OVERVIEW,MICROSCOPY_IMG_OVERVIEW,THUMBNAILS,TSV", "Data set types"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchMaterials()", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.MaterialSearchCriteria(); - criteria.withCode().thatEquals("H2O"); - return facade.searchMaterials(criteria, c.createMaterialFetchOptions()); - } - - var fCheck = function(facade, materials) { - c.assertEqual(materials.length, 1); - var material = materials[0]; - c.assertEqual(material.getCode(), "H2O", "Code"); - c.assertEqual(material.getType().getCode(), "COMPOUND", "Type code"); - var properties = material.getProperties(); - c.assertEqual(Object.keys(properties), "DESCRIPTION", "Water"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchMaterials() with codes", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.MaterialSearchCriteria(); - criteria.withCodes().thatIn(["H2O"]); - return facade.searchMaterials(criteria, c.createMaterialFetchOptions()); - } - - var fCheck = function(facade, materials) { - c.assertEqual(materials.length, 1); - var material = materials[0]; - c.assertEqual(material.getCode(), "H2O", "Code"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchMaterials() with paging and sorting", function(assert) { - var c = new common(assert, dtos); - - var criteria = new dtos.MaterialSearchCriteria(); - criteria.withOrOperator(); - criteria.withCode().thatEquals("ABC"); - criteria.withCode().thatEquals("SIRNA-2"); - - var fo = c.createMaterialFetchOptions(); - - testSearchWithPagingAndSortingByAll(c, function(facade) { - return facade.searchMaterials(criteria, fo); - }, fo); - }); - - QUnit.test("searchMaterials() with paging and sorting by code", function(assert) { - var c = new common(assert, dtos); - - var criteria = new dtos.MaterialSearchCriteria(); - criteria.withOrOperator(); - criteria.withCode().thatContains("SIRNA"); - criteria.withCode().thatContains("A-2"); - - var fo = c.createMaterialFetchOptions(); - - testSearchWithPagingAndSorting(c, function(facade) { - return facade.searchMaterials(criteria, fo); - }, fo, "code", null, true, "SIRNA-1"); - }); - - QUnit.test("searchMaterials() with sorting by type", function(assert) { - var c = new common(assert, dtos); - - var criteria = new dtos.MaterialSearchCriteria(); - criteria.withOrOperator(); - criteria.withCode().thatEquals("ABC"); - criteria.withCode().thatEquals("SIRNA-2"); - - var fo = c.createMaterialFetchOptions(); - - testSearchWithPagingAndSorting(c, function(facade) { - return facade.searchMaterials(criteria, fo); - }, fo, "type"); - }); - - QUnit.test("searchMaterials() withRegistrator withUserId", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.MaterialSearchCriteria(); - criteria.withRegistrator().withUserId().thatEquals("etlserver"); - return facade.searchMaterials(criteria, c.createMaterialFetchOptions()); - } - - var fCheck = function(facade, materials) { - c.assertObjectsWithValues(materials, "code", [ "SIRNA-3", "SIRNA-4" ]); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchMaterials() withRegistrator withUserId negated", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.MaterialSearchCriteria().withAndOperator(); - criteria.withRegistrator().withUserId().thatEquals("etlserver"); - criteria.withSubcriteria().negate().withCode().thatEndsWith("4"); - return facade.searchMaterials(criteria, c.createMaterialFetchOptions()); - } - - var fCheck = function(facade, materials) { - c.assertObjectsWithValues(materials, "code", [ "SIRNA-3" ]); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchMaterials() withModifier withUserId", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.MaterialSearchCriteria(); - criteria.withModifier().withUserId().thatEquals("etlserver"); - return facade.searchMaterials(criteria, c.createMaterialFetchOptions()); - } - - var fCheck = function(facade, materials) { - // search by a modifier not supported yet - c.assertObjectsWithValues(materials, "code", []); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchMaterialTypes()", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.MaterialTypeSearchCriteria(); - criteria.withCode().thatStartsWith("G"); - var fetchOptions = new dtos.MaterialTypeFetchOptions(); - fetchOptions.withPropertyAssignments().sortBy().code().desc(); - return facade.searchMaterialTypes(criteria, fetchOptions); - } - - var fCheck = function(facade, materialTypes) { - c.assertEqual(materialTypes.length, 1, "Number of material types"); - var type = materialTypes[0]; - c.assertEqual(type.getCode(), "GENE", "Material type code"); - c.assertEqual(type.getFetchOptions().hasPropertyAssignments(), true); - var assignments = type.getPropertyAssignments(); - c.assertEqual(assignments.length, 2, "Number of property assignments"); - c.assertEqual(assignments[0].isMandatory(), false, "Mandatory property assignment?"); - var propertyType = assignments[0].getPropertyType(); - c.assertEqual(propertyType.getCode(), "GENE_SYMBOLS", "Property type code"); - c.assertEqual(propertyType.getLabel(), "Gene symbols", "Property type label"); - c.assertEqual(propertyType.getDescription(), "", "Property type description"); - c.assertEqual(propertyType.getDataType(), "VARCHAR", "Property data type"); - c.assertEqual(propertyType.isManagedInternally(), false, "Property type managed internally?"); - c.assertEqual(assignments[1].getPropertyType().getCode(), "DESCRIPTION", "Second property type code"); - c.assertEqual(assignments[1].getPropertyType().getDescription(), "A Description", "Second property type description"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchMaterialTypes() with and operator", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.MaterialTypeSearchCriteria(); - criteria.withAndOperator(); - criteria.withCode().thatStartsWith("C"); - criteria.withCode().thatContains("R"); - var fetchOptions = new dtos.MaterialTypeFetchOptions(); - return facade.searchMaterialTypes(criteria, fetchOptions); - } - - var fCheck = function(facade, materialTypes) { - c.assertEqual(materialTypes.toString(), "CONTROL", "Material types"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchMaterialTypes() with or operator", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.MaterialTypeSearchCriteria(); - criteria.withOrOperator(); - criteria.withCode().thatStartsWith("C"); - criteria.withCode().thatContains("IR"); - var fetchOptions = new dtos.MaterialTypeFetchOptions(); - return facade.searchMaterialTypes(criteria, fetchOptions); - } - - var fCheck = function(facade, materialTypes) { - materialTypes.sort(); - c.assertEqual(materialTypes.toString(), "COMPOUND,CONTROL,SIRNA", "Material types"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchGlobally() withText thatContains", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.GlobalSearchCriteria(); - criteria.withOrOperator(); - criteria.withText().thatContains("20130412150049446-204 20130412140147735-20 20130417094936021-428 H2O"); - var fo = c.createGlobalSearchObjectFetchOptions(); - fo.withMatch(); - return facade.searchGlobally(criteria, fo); - } - - var fCheck = function(facade, objects) { - objects = objects.filter(o => o.getObjectIdentifier().toString().search("V3") < 0); - c.assertEqual(objects.length, 4); - var prepopulatedExperimentsCount = 0; - var prepopulatedSamplesCount = 0; - for (var oIdx = 0; oIdx < objects.length; oIdx++) { - var result = objects[oIdx]; - var match = result.getMatch(); - switch (result.getObjectKind()) { - case "DATA_SET": - var dataSetPermId = result.getObjectPermId().getPermId(); - c.assertTrue(dataSetPermId === "20130417094936021-428" - || dataSetPermId.startsWith("V3_DATA_SET_"), "DataSetPermId (" + dataSetPermId + ")"); - c.assertEqual(result.getObjectIdentifier().getPermId(), dataSetPermId, - "ObjectIdentifier"); - c.assertTrue(match === "Perm ID: " + dataSetPermId || - match === "Property 'Test Property Type': 20130412140147735-20", - "Match (case DATA_SET). Actual value: " + match); - c.assertNotNull(result.getScore(), "Score (case DATA_SET)"); - c.assertNull(result.getExperiment(), "Experiment (case DATA_SET)"); - c.assertNull(result.getSample(), "Sample (case DATA_SET)"); - c.assertEqual(result.getDataSet().getCode(), dataSetPermId, "DataSet (case DATA_SET)"); - c.assertNull(result.getMaterial(), "Material (case DATA_SET)"); - break; - case "EXPERIMENT": - var experimentPermId = result.getObjectPermId().getPermId(); - if (experimentPermId === "20130412150049446-204") { - prepopulatedExperimentsCount++; - } - c.assertTrue(result.getObjectIdentifier().getIdentifier() === - "/TEST/TEST-PROJECT/TEST-EXPERIMENT" || result.getObjectIdentifier() - .getIdentifier().startsWith("/TEST/TEST-PROJECT/V3_EXPERIMENT_"), - "ObjectIdentifier"); - c.assertTrue(match === "Perm ID: " + experimentPermId || - match === "Property 'Test Property Type': 20130412140147735-20", - "Match (case EXPERIMENT). Actual value: " + match); - c.assertNotNull(result.getScore(), "Score (case EXPERIMENT)"); - c.assertTrue(result.getExperiment().getCode() === "TEST-EXPERIMENT" || - result.getExperiment().getCode().startsWith("V3_EXPERIMENT_"), - "Experiment (case EXPERIMENT)"); - c.assertNull(result.getSample(), "Sample (case EXPERIMENT)"); - c.assertNull(result.getDataSet(), "DataSet (case EXPERIMENT)"); - c.assertNull(result.getMaterial(), "Material (case EXPERIMENT)"); - break; - case "SAMPLE": - var samplePermId = result.getObjectPermId().getPermId(); - if (samplePermId === "20130412140147735-20") { - prepopulatedSamplesCount++; - } - c.assertTrue(result.getObjectIdentifier().getIdentifier() === "/PLATONIC/SCREENING-EXAMPLES/PLATE-1" || - result.getObjectIdentifier().getIdentifier().startsWith("/TEST/TEST-PROJECT/V3_SAMPLE_"), - "ObjectIdentifier"); - c.assertTrue(match === "Perm ID: " + samplePermId || - match === "Property 'Test Property Type': 20130412140147735-20", - "Match (case SAMPLE). Actual value: " + - match); - c.assertNotNull(result.getScore(), "Score (case SAMPLE)"); - c.assertNull(result.getExperiment(), "Experiment (case SAMPLE)"); - c.assertTrue(result.getSample().getCode() === "PLATE-1" || - result.getSample().getCode().startsWith("V3_SAMPLE_"), "Sample (case SAMPLE)"); - c.assertNull(result.getDataSet(), "DataSet (case SAMPLE)"); - c.assertNull(result.getMaterial(), "Material (case SAMPLE)"); - break; - case "MATERIAL": - c.assertEqual(result.getObjectPermId().getCode(), "H2O", "ObjectPermId 1 (case MATERIAL)"); - c.assertEqual(result.getObjectPermId().getTypeCode(), "COMPOUND", - "ObjectPermId 2 (case MATERIAL)"); - c.assertEqual(result.getObjectIdentifier().getCode(), "H2O", - "ObjectIdentifier 1 (case MATERIAL)"); - c.assertEqual(result.getObjectIdentifier().getTypeCode(), "COMPOUND", - "ObjectIdentifier 2 (case MATERIAL)"); - c.assertEqual(match, "Identifier: H2O (COMPOUND)", "Match (case MATERIAL)"); - c.assertNotNull(result.getScore(), "Score (case MATERIAL)"); - c.assertNull(result.getExperiment(), "Experiment (case MATERIAL)"); - c.assertNull(result.getSample(), "Sample (case MATERIAL)"); - c.assertNull(result.getDataSet(), "DataSet (case MATERIAL)"); - c.assertEqual(result.getMaterial().getCode(), "H2O", "Material (case MATERIAL)"); - break; - } - } - c.assertEqual(prepopulatedExperimentsCount, 1, "ExperimentPermId"); - c.assertEqual(prepopulatedSamplesCount, 1, "SamplePermId"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchGlobally() withText thatContainsExactly", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.GlobalSearchCriteria(); - criteria.withOrOperator(); - criteria.withText().thatContainsExactly("407 description"); - var fo = c.createGlobalSearchObjectFetchOptions(); - fo.withMatch(); - return facade.searchGlobally(criteria, fo); - } - - var fCheck = function(facade, objects) { - objects = objects.filter(o => o.getObjectIdentifier().toString().search("V3") < 0); - c.assertEqual(objects.length, 1); - - var object0 = objects[0]; - c.assertEqual(object0.getObjectKind(), "DATA_SET", "ObjectKind"); - c.assertEqual(object0.getObjectPermId().getPermId(), "20130415100158230-407", "ObjectPermId"); - c.assertEqual(object0.getObjectIdentifier().getPermId(), "20130415100158230-407", "ObjectIdentifier"); - // c.assertEqual(object0.getMatch(), "Property 'Description': 407 description", "Match"); - c.assertNotNull(object0.getScore(), "Score"); - c.assertNull(object0.getExperiment(), "Experiment"); - c.assertNull(object0.getSample(), "Sample"); - c.assertEqual(object0.getDataSet().getCode(), "20130415100158230-407", "DataSet"); - c.assertNull(object0.getMaterial(), "Material"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchGlobally() withObjectKind thatIn", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.GlobalSearchCriteria(); - criteria.withOrOperator(); - criteria.withText().thatContains("20130412150049446-204 20130412140147735-20 20130417094936021-428 H2O"); - criteria.withObjectKind().thatIn([ "EXPERIMENT" ]); - var fo = c.createGlobalSearchObjectFetchOptions(); - fo.withMatch(); - return facade.searchGlobally(criteria, fo); - } - - var fCheck = function(facade, objects) { - objects = objects.filter(o => o.getObjectIdentifier().toString().search("V3") < 0); - c.assertEqual(objects.length, 1); - - var prepopulatedExperimentsCount = 0; - for (var i = 0; i < objects.length; i++) { - var objectExperiment = objects[i]; - var experimentPermId = objectExperiment.getObjectPermId().getPermId(); - var match = objectExperiment.getMatch(); - c.assertEqual(objectExperiment.getObjectKind(), "EXPERIMENT", "ObjectKind"); - if (objectExperiment.getObjectKind === "20130412150049446-204") { - prepopulatedExperimentsCount++; - } - c.assertTrue(objectExperiment.getObjectIdentifier().getIdentifier() === - "/TEST/TEST-PROJECT/TEST-EXPERIMENT" || objectExperiment.getObjectIdentifier().getIdentifier() - .startsWith("/TEST/TEST-PROJECT/V3_EXPERIMENT_"), "ObjectIdentifier"); - c.assertTrue(match === "Perm ID: " + experimentPermId || - match === "Property 'Test Property Type': 20130412140147735-20", - "Match. Actual value: " + match); - c.assertNotNull(objectExperiment.getScore(), "Score"); - c.assertTrue(objectExperiment.getExperiment().getCode() === "TEST-EXPERIMENT" || - objectExperiment.getExperiment().getCode().startsWith("V3_EXPERIMENT_"), "Experiment"); - c.assertNull(objectExperiment.getSample(), "Sample"); - c.assertNull(objectExperiment.getDataSet(), "DataSet"); - c.assertNull(objectExperiment.getMaterial(), "Material"); - } - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchObjectKindModifications()", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.ObjectKindModificationSearchCriteria(); - criteria.withObjectKind().thatIn([ "SAMPLE", "EXPERIMENT" ]); - criteria.withOperationKind().thatIn([ "CREATE_OR_DELETE" ]); - return facade.searchObjectKindModifications(criteria, c.createObjectKindModificationFetchOptions()); - } - - var fCheck = function(facade, objects) { - c.assertEqual(objects.length, 2); - - var object0 = objects[0]; - c.assertEqual(object0.getObjectKind(), "SAMPLE", "ObjectKind"); - c.assertNotNull(object0.getLastModificationTimeStamp(), "LastModificationTimeStamp"); - - var object1 = objects[1]; - c.assertEqual(object1.getObjectKind(), "EXPERIMENT", "ObjectKind"); - c.assertNotNull(object1.getLastModificationTimeStamp(), "LastModificationTimeStamp"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchPlugins()", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.PluginSearchCriteria(); - criteria.withName().thatContains("Has"); - criteria.withPluginType().thatEquals(dtos.PluginType.ENTITY_VALIDATION); - var fo = c.createPluginFetchOptions(); - fo.withScript(); - fo.sortBy().name().desc(); - return facade.searchPlugins(criteria, fo); - } - - var fCheck = function(facade, plugins) { - c.assertEqual(plugins.length, 1); - var plugin = plugins[0]; - c.assertEqual(plugin.getName(), "Has_Parents", "Name"); - c.assertEqual(plugin.getDescription(), "Check if the Entity has a parent", "Description"); - c.assertEqual(plugin.getPluginKind(), dtos.PluginKind.JYTHON, "Plugin kind"); - c.assertEqual(plugin.getPluginType(), dtos.PluginType.ENTITY_VALIDATION, "Plugin type"); - c.assertEqual(plugin.getFetchOptions().hasScript(), true, "Has script"); - c.assertEqual(plugin.getScript(), 'def validate(entity, isNew):\n' - + ' parents = entity.entityPE().parents\n' - + ' if parents:\n' - + ' return None\n' - + ' else:\n' - + ' return "No Parents have been selected!"\n' , "Script"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchVocabularies()", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.VocabularySearchCriteria(); - criteria.withCode().thatEquals("$STORAGE_FORMAT"); - return facade.searchVocabularies(criteria, c.createVocabularyFetchOptions()); - } - - var fCheck = function(facade, vocabularies) { - c.assertEqual(vocabularies.length, 1); - var vocabulary = vocabularies[0]; - c.assertEqual(vocabulary.getCode(), "$STORAGE_FORMAT", "Code"); - c.assertEqual(vocabulary.getDescription(), "The on-disk storage format of a data set", "Description"); - c.assertEqual(vocabulary.isManagedInternally(), true, "Managed internally"); - c.assertEqual(vocabulary.getTerms().length, 2, "# of terms"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchVocabularies() with codes", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.VocabularySearchCriteria(); - criteria.withCodes().thatIn(["END_TYPE", "KIT", "BLABLA"]); - return facade.searchVocabularies(criteria, c.createVocabularyFetchOptions()); - } - - var fCheck = function(facade, vocabularies) { - var codes = []; - for (var i = 0; i < vocabularies.length; i++) { - codes.push(vocabularies[i].getCode()); - } - codes.sort(); - c.assertEqual(codes.toString(), "END_TYPE,KIT", "Vocabularies"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchVocabularies() with and operator", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.VocabularySearchCriteria(); - criteria.withAndOperator(); - criteria.withCode().thatEndsWith("KIT"); - criteria.withCode().thatContains("LE"); - return facade.searchVocabularies(criteria, c.createVocabularyFetchOptions()); - } - - var fCheck = function(facade, vocabularies) { - var codes = []; - for (var i = 0; i < vocabularies.length; i++) { - codes.push(vocabularies[i].getCode()); - } - codes.sort(); - c.assertEqual(codes.toString(), "AGILENT_KIT", "Vocabularies"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchVocabularies() with or operator", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.VocabularySearchCriteria(); - criteria.withOrOperator(); - criteria.withCode().thatEndsWith("KIT"); - criteria.withCode().thatContains("LE"); - return facade.searchVocabularies(criteria, c.createVocabularyFetchOptions()); - } - - var fCheck = function(facade, vocabularies) { - var codes = []; - for (var i = 0; i < vocabularies.length; i++) { - codes.push(vocabularies[i].getCode()); - } - codes.sort(); - var actual = codes.toString(); - var expected = - "$DEFAULT_COLLECTION_VIEWS,$STORAGE.STORAGE_VALIDATION_LEVEL,AGILENT_KIT,KIT,SAMPLE_TYPE"; - c.assertEqual(actual, expected, "Vocabularies Expected: [" + expected + "] - Actual: [" + actual + "]"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchVocabularyTerms()", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.VocabularyTermSearchCriteria(); - criteria.withCode().thatEquals("BDS_DIRECTORY"); - return facade.searchVocabularyTerms(criteria, c.createVocabularyTermFetchOptions()); - } - - var fCheck = function(facade, terms) { - c.assertEqual(terms.length, 1); - var term = terms[0]; - c.assertEqual(term.getCode(), "BDS_DIRECTORY", "Code"); - c.assertEqual(term.getVocabulary().getCode(), "$STORAGE_FORMAT", "Vocabulary code"); - c.assertEqual(term.getOrdinal(), 2, "Ordinal"); - c.assertEqual(term.isOfficial(), true, "Official"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchVocabularyTerms() with codes", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.VocabularyTermSearchCriteria(); - criteria.withCodes().thatIn(["BDS_DIRECTORY"]); - return facade.searchVocabularyTerms(criteria, c.createVocabularyTermFetchOptions()); - } - - var fCheck = function(facade, terms) { - c.assertEqual(terms.length, 1); - var term = terms[0]; - c.assertEqual(term.getCode(), "BDS_DIRECTORY", "Code"); - c.assertEqual(term.getVocabulary().getCode(), "$STORAGE_FORMAT", "Vocabulary code"); - c.assertEqual(term.getOrdinal(), 2, "Ordinal"); - c.assertEqual(term.isOfficial(), true, "Official"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchExternalDms()", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.as_dto_externaldms_search_ExternalDmsSearchCriteria(); - criteria.withCode().thatEquals("DMS_2"); - return facade.searchExternalDataManagementSystems(criteria, c.createExternalDmsFetchOptions()); - } - - var fCheck = function(facade, entities) { - c.assertEqual(entities.length, 1); - var edms = entities[0]; - c.assertEqual(edms.getCode(), "DMS_2", "Code"); - c.assertEqual(edms.getLabel(), "Test External openBIS instance", "Label"); - c.assertEqual(edms.getAddress(), "http://www.openbis.ch/perm_id=${code}", "Address"); - c.assertEqual(edms.getUrlTemplate(), "http://www.openbis.ch/perm_id=${code}", "URL template"); - c.assertEqual(edms.getAddressType(), "OPENBIS", "Address type"); - c.assertEqual(edms.isOpenbis(), true, "is openBIS?"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchExternalDms() with codes", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.as_dto_externaldms_search_ExternalDmsSearchCriteria(); - criteria.withCodes().thatIn(["DMS_2"]); - return facade.searchExternalDataManagementSystems(criteria, c.createExternalDmsFetchOptions()); - } - - var fCheck = function(facade, entities) { - c.assertEqual(entities.length, 1); - var edms = entities[0]; - c.assertEqual(edms.getCode(), "DMS_2", "Code"); - c.assertEqual(edms.getLabel(), "Test External openBIS instance", "Label"); - c.assertEqual(edms.getAddress(), "http://www.openbis.ch/perm_id=${code}", "Address"); - c.assertEqual(edms.getUrlTemplate(), "http://www.openbis.ch/perm_id=${code}", "URL template"); - c.assertEqual(edms.getAddressType(), "OPENBIS", "Address type"); - c.assertEqual(edms.isOpenbis(), true, "is openBIS?"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchTags()", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.TagSearchCriteria(); - criteria.withCode().thatEquals("JS_TEST_METAPROJECT"); - return facade.searchTags(criteria, c.createTagFetchOptions()); - } - - var fCheck = function(facade, tags) { - c.assertEqual(tags.length, 1); - var tag = tags[0]; - c.assertEqual(tag.getCode(), "JS_TEST_METAPROJECT", "Code"); - c.assertEqual(tag.getPermId().getPermId(), "/openbis_test_js/JS_TEST_METAPROJECT", "PermId"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchTags() with codes", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.TagSearchCriteria(); - criteria.withCodes().thatIn(["JS_TEST_METAPROJECT"]); - return facade.searchTags(criteria, c.createTagFetchOptions()); - } - - var fCheck = function(facade, tags) { - c.assertEqual(tags.length, 1); - var tag = tags[0]; - c.assertEqual(tag.getCode(), "JS_TEST_METAPROJECT", "Code"); - c.assertEqual(tag.getPermId().getPermId(), "/openbis_test_js/JS_TEST_METAPROJECT", "PermId"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchAuthorizationGroups()", function(assert) { - var c = new common(assert, dtos); - var code; - - var fSearch = function(facade) { - return c.createAuthorizationGroup(facade).then(function(permId) { - var criteria = new dtos.AuthorizationGroupSearchCriteria(); - code = permId.getPermId(); - criteria.withCode().thatEquals(code); - return facade.searchAuthorizationGroups(criteria, c.createAuthorizationGroupFetchOptions()); - }); - } - - var fCheck = function(facade, groups) { - c.assertEqual(groups.length, 1); - var group = groups[0]; - c.assertEqual(group.getCode(), code, "Code"); - var users = group.getUsers(); - c.assertEqual(users[0].getUserId(), "power_user", "User"); - c.assertEqual(users.length, 1, "# Users"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchAuthorizationGroups() with codes", function(assert) { - var c = new common(assert, dtos); - var code; - - var fSearch = function(facade) { - return c.createAuthorizationGroup(facade).then(function(permId) { - var criteria = new dtos.AuthorizationGroupSearchCriteria(); - code = permId.getPermId(); - criteria.withCodes().thatIn([code]); - return facade.searchAuthorizationGroups(criteria, c.createAuthorizationGroupFetchOptions()); - }); - } - - var fCheck = function(facade, groups) { - c.assertEqual(groups.length, 1); - var group = groups[0]; - c.assertEqual(group.getCode(), code, "Code"); - var users = group.getUsers(); - c.assertEqual(users[0].getUserId(), "power_user", "User"); - c.assertEqual(users.length, 1, "# Users"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchAuthorizationGroups() existing with role assigments", function(assert) { - var c = new common(assert, dtos); - var code; - - var fSearch = function(facade) { - var criteria = new dtos.AuthorizationGroupSearchCriteria(); - criteria.withCode().thatEquals("TEST-GROUP"); - return facade.searchAuthorizationGroups(criteria, c.createAuthorizationGroupFetchOptions()); - } - - var fCheck = function(facade, groups) { - c.assertEqual(groups.length, 1); - var group = groups[0]; - c.assertEqual(group.getCode(), "TEST-GROUP", "Code"); - var users = group.getUsers(); - c.assertEqual(users.length, 0, "# Users"); - var roleAssignments = group.getRoleAssignments(); - var numberOfTestSpaceAssignments = 0; - var numberOfProjectAssignments = 0; - for (var i = 0; i < roleAssignments.length; i++) { - var ra = roleAssignments[i]; - if (ra.getSpace() && ra.getSpace().getCode() === "TEST") { - c.assertEqual(ra.getRole(), "OBSERVER", "Role of assignment for space TEST"); - numberOfTestSpaceAssignments++; - } - if (ra.getProject()) { - c.assertEqual(ra.getRole(), "ADMIN", "Role of assignment for project"); - c.assertEqual(ra.getProject().getCode(), "TEST-PROJECT", "Project code of assignment for project"); - c.assertEqual(ra.getProject().getSpace().getCode(), "TEST", "Project space of assignment for project"); - numberOfProjectAssignments++; - } - } - c.assertEqual(numberOfTestSpaceAssignments, 1, "Number of TEST space assignments"); - c.assertEqual(numberOfProjectAssignments, 0, "Number of project assignments"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchRoleAssignments()", function(assert) { - var c = new common(assert, dtos); - var code; - - var fSearch = function(facade) { - var criteria = new dtos.RoleAssignmentSearchCriteria(); - criteria.withSpace().withCode().thatEquals("TEST"); - criteria.withUser().withUserId().thatEquals("observer"); - return facade.searchRoleAssignments(criteria, c.createRoleAssignmentFetchOptions()); - } - - var fCheck = function(facade, assignments) { - c.assertEqual(assignments.length, 1, "# Role Assignments"); - var assignment = assignments[0]; - c.assertEqual(assignment.getRole(), "OBSERVER", "Role"); - c.assertEqual(assignment.getRoleLevel(), "SPACE", "Role level"); - c.assertEqual(assignment.getSpace().getCode(), "TEST", "Space"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchRoleAssignments() with group with user", function(assert) { - var c = new common(assert, dtos); - var code; - - var fSearch = function(facade) { - return c.createAuthorizationGroup(facade).then(function(permId) { - var creation = new dtos.RoleAssignmentCreation(); - creation.setRole(dtos.Role.POWER_USER); - creation.setAuthorizationGroupId(permId); - creation.setSpaceId(new dtos.SpacePermId("TEST")); - return facade.createRoleAssignments([ creation ]).then(function(permIds) { - var criteria = new dtos.RoleAssignmentSearchCriteria(); - criteria.withSpace().withCode().thatEquals("TEST"); - criteria.withAuthorizationGroup().withUser().withUserId().thatEquals("power_user"); - var fo = c.createRoleAssignmentFetchOptions(); - fo.withAuthorizationGroup().withUsers(); - return facade.searchRoleAssignments(criteria, fo); - }); - }); - } - - var fCheck = function(facade, assignments) { - c.assertEqual(assignments.length > 0, true, "At least one Role Assignment?"); - var assignment = assignments[0]; - c.assertEqual(assignment.getRole(), "POWER_USER", "Role"); - c.assertEqual(assignment.getRoleLevel(), "SPACE", "Role level"); - c.assertEqual(assignment.getSpace().getCode(), "TEST", "Space"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchPersons()", function(assert) { - var c = new common(assert, dtos); - var code; - - var fSearch = function(facade) { - var criteria = new dtos.PersonSearchCriteria(); - criteria.withUserId().thatContains("bser"); - return facade.searchPersons(criteria, c.createPersonFetchOptions()); - } - - var fCheck = function(facade, persons) { - c.assertEqual(persons.length, 1, "# persons"); - var person = persons[0]; - c.assertEqual(person.getUserId(), "observer", "User id"); - c.assertEqual(person.getRegistrator().getUserId(), "system", "Registrator"); - var assignments = person.getRoleAssignments(); - c.assertEqual(assignments.length, 1, "# Role Assignments"); - var assignment = assignments[0]; - c.assertEqual(assignment.getRole(), "OBSERVER", "Role"); - c.assertEqual(assignment.getRoleLevel(), "SPACE", "Role level"); - c.assertEqual(assignment.getSpace().getCode(), "TEST", "Space"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchOperationExecutions()", function(assert) { - var c = new common(assert, dtos); - - c.start(); - - // We want to start only once. Because testSearch() also calls - // start() let's make the start() do nothing. - c.start = function() { - } - - c.login(facade).then(function() { - $.when(c.createOperationExecution(facade)).then(function(permId) { - var fSearch = function(facade) { - var criteria = new dtos.OperationExecutionSearchCriteria(); - return facade.searchOperationExecutions(criteria, new dtos.OperationExecutionFetchOptions()); - } - - var fCheck = function(facade, executions) { - c.assertTrue(executions.length >= 1); - var found = false; - - executions.forEach(function(execution) { - if (execution.getPermId().getPermId() == permId.getPermId()) { - found = true; - } - }); - - c.assertTrue(found); - } - - return testSearch(c, fSearch, fCheck); - }); - }).fail(function() { - c.fail(); - c.finish(); - }); - }); - - QUnit.test("searchDataStores() withEmptyCriteria", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.DataStoreSearchCriteria(); - return facade.searchDataStores(criteria, c.createDataStoreFetchOptions()); - } - - var fCheck = function(facade, dataStores) { - c.assertEqual(dataStores.length, 2); - c.assertObjectsWithValues(dataStores, "code", [ "DSS1", "DSS2" ]); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchDataStores() withCodeThatEquals", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.DataStoreSearchCriteria(); - criteria.withCode().thatEquals("DSS1"); - return facade.searchDataStores(criteria, c.createDataStoreFetchOptions()); - } - - var fCheck = function(facade, dataStores) { - c.assertEqual(dataStores.length, 1); - var dataStore = dataStores[0]; - c.assertEqual(dataStore.getCode(), "DSS1", "Code"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchDataStores() with codes", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.DataStoreSearchCriteria(); - criteria.withCodes().thatIn(["DSS1"]); - return facade.searchDataStores(criteria, c.createDataStoreFetchOptions()); - } - - var fCheck = function(facade, dataStores) { - c.assertEqual(dataStores.length, 1); - var dataStore = dataStores[0]; - c.assertEqual(dataStore.getCode(), "DSS1", "Code"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("dataStoreFacade.searchFiles() atNonexistentDataStore", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - return facade.getDataStoreFacade("I_DONT_EXIST", "ME_NEITHER").searchFiles(new dtos.DataSetFileSearchCriteria(), c.createDataSetFileFetchOptions()); - } - - var fCheckError = function(error) { - c.assertEqual(error, "No data stores found for codes: I_DONT_EXIST,ME_NEITHER"); - } - - testSearch(c, fSearch, null, fCheckError); - }); - - QUnit.test("dataStoreFacade.searchFiles() atOneChosenDataStore", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.DataSetFileSearchCriteria(); - var dataSetCriteria = criteria.withDataSet(); - dataSetCriteria.withOrOperator(); - - // at DSS1 - dataSetCriteria.withCode().thatEquals("20130424111751209-430"); - // at DSS2 - dataSetCriteria.withCode().thatEquals("20130415093804724-403"); - - return facade.getDataStoreFacade("DSS1").searchFiles(criteria, c.createDataSetFileFetchOptions()); - } - - var fCheck = function(facade, files) { - c.assertEqual(files.length, 3); - c.assertObjectsWithValues(files, "path", [ "", "feature_lists", "feature_lists/NUMBER_FEATURE_LIST" ]); - - files.forEach(function(file) { - c.assertEqual(file.getDataStore().getCode(), "DSS1"); - }); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("dataStoreFacade.searchFiles() atMultipleChosenDataStores", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.DataSetFileSearchCriteria(); - var dataSetCriteria = criteria.withDataSet(); - dataSetCriteria.withOrOperator(); - - // at DSS1 - dataSetCriteria.withCode().thatEquals("20130424111751209-430"); - // at DSS2 - dataSetCriteria.withCode().thatEquals("20130415093804724-403"); - - return facade.getDataStoreFacade("DSS1", "DSS2").searchFiles(criteria, c.createDataSetFileFetchOptions()); - } - - var fCheck = function(facade, files) { - c.assertEqual(files.length, 6); - c.assertObjectsWithValues(files, "path", [ "", "feature_lists", "feature_lists/NUMBER_FEATURE_LIST", "original", "original/emptyFile" ]); - - files.forEach(function(file) { - if (file.getDataSetPermId().getPermId() == "20130424111751209-430") { - c.assertEqual(file.getDataStore().getCode(), "DSS1"); - } else if (file.getDataSetPermId().getPermId() == "20130415093804724-403") { - c.assertEqual(file.getDataStore().getCode(), "DSS2"); - } else { - c.fail(); - } - }); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("dataStoreFacade.searchFiles() atAllAvailableDataStores", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.DataSetFileSearchCriteria(); - var dataSetCriteria = criteria.withDataSet(); - dataSetCriteria.withOrOperator(); - - // at DSS1 - dataSetCriteria.withCode().thatEquals("20130424111751209-430"); - // at DSS2 - dataSetCriteria.withCode().thatEquals("20130415093804724-403"); - - return facade.getDataStoreFacade().searchFiles(criteria, c.createDataSetFileFetchOptions()); - } - - var fCheck = function(facade, files) { - c.assertEqual(files.length, 6); - c.assertObjectsWithValues(files, "path", [ "", "feature_lists", "feature_lists/NUMBER_FEATURE_LIST", "original", "original/emptyFile" ]); - - files.forEach(function(file) { - if (file.getDataSetPermId().getPermId() == "20130424111751209-430") { - c.assertEqual(file.getDataStore().getCode(), "DSS1"); - } else if (file.getDataSetPermId().getPermId() == "20130415093804724-403") { - c.assertEqual(file.getDataStore().getCode(), "DSS2"); - } else { - c.fail(); - } - }); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSemanticAnnotations() withPermId", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - return c.createSemanticAnnotation(facade).then(function(permId) { - var criteria = new dtos.SemanticAnnotationSearchCriteria(); - criteria.withPermId().thatEquals(permId.getPermId()); - return facade.searchSemanticAnnotations(criteria, c.createSemanticAnnotationFetchOptions()); - }); - } - - var fCheck = function(facade, annotations) { - c.assertEqual(annotations.length, 1); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSemanticAnnotations() withPredicate and withDescriptor", function(assert) { - var c = new common(assert, dtos); - var expectedAnnotation = null; - - var fSearch = function(facade) { - return c.createSemanticAnnotation(facade).then(function(permId) { - return c.findSemanticAnnotation(facade, permId); - }).then(function(annotation) { - expectedAnnotation = annotation; - var criteria = new dtos.SemanticAnnotationSearchCriteria(); - criteria.withPredicateOntologyId().thatEquals(annotation.getPredicateOntologyId()); - return facade.searchSemanticAnnotations(criteria, c.createSemanticAnnotationFetchOptions()); - }); - } - - var fCheck = function(facade, annotations) { - c.assertEqual(annotations.length, 1); - var annotation = annotations[0]; - c.assertEqual(annotation.getPredicateOntologyId(), expectedAnnotation.getPredicateOntologyId(), "predicateOntologyId"); - c.assertEqual(annotation.getPredicateOntologyVersion(), expectedAnnotation.getPredicateOntologyVersion(), "predicateOntologyVersion"); - c.assertEqual(annotation.getPredicateAccessionId(), expectedAnnotation.getPredicateAccessionId(), "predicateAccessionId"); - c.assertEqual(annotation.getDescriptorOntologyId(), expectedAnnotation.getDescriptorOntologyId(), "descriptorOntologyId"); - c.assertEqual(annotation.getDescriptorOntologyVersion(), expectedAnnotation.getDescriptorOntologyVersion(), "descriptorOntologyVersion"); - c.assertEqual(annotation.getDescriptorAccessionId(), expectedAnnotation.getDescriptorAccessionId(), "descriptorAccessionId"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSemanticAnnotations() withEntityTypeId", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.SemanticAnnotationSearchCriteria(); - criteria.withEntityType().withId().thatEquals(new dtos.EntityTypePermId("PLATE", "SAMPLE")); - return facade.searchSemanticAnnotations(criteria, c.createSemanticAnnotationFetchOptions()); - } - - var fCheck = function(facade, annotations) { - c.assertEqual(annotations.length, 1); - c.assertEqual(annotations[0].getPermId().getPermId(), "ST_PLATE", "Annotation perm id"); - c.assertEqual(annotations[0].getEntityType().getCode(), "PLATE", "Entity type code"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSemanticAnnotations() withEntityTypeCodes", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.SemanticAnnotationSearchCriteria(); - criteria.withEntityType().withCodes().thatIn(["PLATE"]); - return facade.searchSemanticAnnotations(criteria, c.createSemanticAnnotationFetchOptions()); - } - - var fCheck = function(facade, annotations) { - c.assertEqual(annotations.length, 1); - c.assertEqual(annotations[0].getPermId().getPermId(), "ST_PLATE", "Annotation perm id"); - c.assertEqual(annotations[0].getEntityType().getCode(), "PLATE", "Entity type code"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSemanticAnnotations() withPropertyTypeId", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.SemanticAnnotationSearchCriteria(); - criteria.withPropertyType().withId().thatEquals(new dtos.PropertyTypePermId("DESCRIPTION")); - return facade.searchSemanticAnnotations(criteria, c.createSemanticAnnotationFetchOptions()); - } - - var fCheck = function(facade, annotations) { - c.assertEqual(annotations.length, 1); - c.assertEqual(annotations[0].getPermId().getPermId(), "PT_DESCRIPTION", "Annotation perm id"); - c.assertEqual(annotations[0].getPropertyType().getCode(), "DESCRIPTION", "Property type code"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSemanticAnnotations() withPropertyAssignmentId", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.SemanticAnnotationSearchCriteria(); - criteria.withPropertyAssignment().withId().thatEquals(new dtos.PropertyAssignmentPermId(new dtos.EntityTypePermId("LIBRARY", "SAMPLE"), new dtos.PropertyTypePermId("PREPARED_BY"))); - return facade.searchSemanticAnnotations(criteria, c.createSemanticAnnotationFetchOptions()); - } - - var fCheck = function(facade, annotations) { - c.assertEqual(annotations.length, 1); - c.assertEqual(annotations[0].getPermId().getPermId(), "ST_LIBRARY_PT_PREPARED_BY", "Annotation perm id"); - c.assertEqual(annotations[0].getPropertyAssignment().getEntityType().getCode(), "LIBRARY", "Entity type code"); - c.assertEqual(annotations[0].getPropertyAssignment().getEntityType().getPermId().getEntityKind(), "SAMPLE", "Entity type kind"); - c.assertEqual(annotations[0].getPropertyAssignment().getPropertyType().getCode(), "PREPARED_BY", "Property type code"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchPropertyTypes() withPermId", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.PropertyTypeSearchCriteria(); - criteria.withId().thatEquals(new dtos.PropertyTypePermId("TOTAL_READS")); - return facade.searchPropertyTypes(criteria, c.createPropertyTypeFetchOptions()); - } - - var fCheck = function(facade, types) { - c.assertEqual(types.length, 1); - c.assertEqual(types[0].label, "Total reads", "Label"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchPropertyAssignments() withPermId", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.PropertyAssignmentSearchCriteria(); - criteria.withId().thatEquals(new dtos.PropertyAssignmentPermId(new dtos.EntityTypePermId("LIBRARY", "SAMPLE"), new dtos.PropertyTypePermId("EXTERNAL_SAMPLE_NAME"))); - return facade.searchPropertyAssignments(criteria, c.createPropertyAssignmentFetchOptions()); - } - - var fCheck = function(facade, types) { - c.assertEqual(types.length, 1); - c.assertEqual(types[0].getEntityType().getCode(), "LIBRARY", "Entity type code"); - c.assertEqual(types[0].getPropertyType().getCode(), "EXTERNAL_SAMPLE_NAME", "Property type code"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchDeletions()", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - return c.createSample(facade).then(function(permId) { - var options = new dtos.SampleDeletionOptions(); - options.setReason("test reason"); - return facade.deleteSamples([ permId ], options).then(function(deletionId) { - var criteria = new dtos.DeletionSearchCriteria(); - criteria.withId().thatEquals(deletionId); - var fetchOptions = new dtos.DeletionFetchOptions(); - return facade.searchDeletions(criteria, fetchOptions); - }); - }); - } - - var fCheck = function(facade, deletions) { - c.assertEqual(deletions.length, 1); - var deletion = deletions[0]; - c.assertEqual(deletion.getReason(), "test reason", "reason"); - c.assertToday(deletion.getDeletionDate(), "deletion date"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchEvents()", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.EventSearchCriteria(); - var fetchOptions = new dtos.EventFetchOptions(); - return facade.searchEvents(criteria, fetchOptions); - } - - var fCheck = function(facade, events) { - c.assertEqual(events.length, 6); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchEvents() withEventType", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.EventSearchCriteria(); - criteria.withEventType().thatEquals(dtos.EventType.FREEZING); - var fetchOptions = new dtos.EventFetchOptions(); - fetchOptions.withRegistrator(); - return facade.searchEvents(criteria, fetchOptions); - } - - var fCheck = function(facade, events) { - c.assertEqual(events.length, 1); - - c.assertEqual(events[0].getEventType(), dtos.EventType.FREEZING, "Event Type"); - c.assertEqual(events[0].getEntityType(), dtos.EntityType.EXPERIMENT, "Entity Type"); - c.assertEqual(events[0].getIdentifier(), "/EVENT_TEST_SPACE_A/EVENT_TEST_PROJECT_A/EVENT_TEST_EXPERIMENT_A", "Identifier"); - c.assertEqual(events[0].getReason(), "[\"freeze\"]", "Reason"); - c.assertEqual(events[0].getRegistrator().getUserId(), "openbis_test_js", "Registrator"); - c.assertDate(events[0].getRegistrationDate(), "Registration date", 2021, 5, 14, 10, 10); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchEvents() withEntityType", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.EventSearchCriteria(); - criteria.withEntityType().thatEquals(dtos.EntityType.EXPERIMENT); - var fetchOptions = new dtos.EventFetchOptions(); - fetchOptions.withRegistrator(); - fetchOptions.sortBy().id().desc(); - return facade.searchEvents(criteria, fetchOptions); - } - - var fCheck = function(facade, events) { - c.assertEqual(events.length, 3); - - c.assertEqual(events[0].getEventType(), dtos.EventType.FREEZING, "Event Type"); - c.assertEqual(events[0].getEntityType(), dtos.EntityType.EXPERIMENT, "Entity Type"); - c.assertEqual(events[0].getIdentifier(), "/EVENT_TEST_SPACE_A/EVENT_TEST_PROJECT_A/EVENT_TEST_EXPERIMENT_A", "Identifier"); - c.assertEqual(events[0].getReason(), "[\"freeze\"]", "Reason"); - c.assertEqual(events[0].getRegistrator().getUserId(), "openbis_test_js", "Registrator"); - c.assertDate(events[0].getRegistrationDate(), "Registration date", 2021, 5, 14, 10, 10); - - c.assertEqual(events[1].getEventType(), dtos.EventType.DELETION, "Event Type"); - c.assertEqual(events[1].getEntityType(), dtos.EntityType.EXPERIMENT, "Entity Type"); - c.assertEqual(events[1].getEntitySpace(), "EVENT_TEST_SPACE_B", "Entity Space"); - c.assertEqual(events[1].getEntityProject(), "/EVENT_TEST_SPACE_B/EVENT_TEST_PROJECT_B", "Entity Project"); - c.assertEqual(events[1].getEntityProjectId().getPermId(), "20210514121033383-440", "Entity Project Id"); - c.assertEqual(events[1].getEntityRegistrator(), "openbis_test_js", "Entity Registrator"); - c.assertDate(events[1].getEntityRegistrationDate(), "Entity Registration date", 2021, 5, 14, 10, 10); - c.assertEqual(events[1].getIdentifier(), "20210514121033530-443", "Identifier"); - c.assertEqual(events[1].getDescription(), "20210514121033530-443", "Description"); - c.assertEqual(events[1].getReason(), "delete experiments", "Reason"); - c.assertEqual(events[1].getRegistrator().getUserId(), "admin", "Registrator"); - c.assertDate(events[1].getRegistrationDate(), "Registration date", 2021, 5, 14, 10, 10); - - c.assertEqual(events[2].getEventType(), dtos.EventType.DELETION, "Event Type"); - c.assertEqual(events[2].getEntityType(), dtos.EntityType.EXPERIMENT, "Entity Type"); - c.assertEqual(events[2].getEntitySpace(), "EVENT_TEST_SPACE_B", "Entity Space"); - c.assertEqual(events[2].getEntityProject(), "/EVENT_TEST_SPACE_B/EVENT_TEST_PROJECT_B", "Entity Project"); - c.assertEqual(events[2].getEntityProjectId().getPermId(), "20210514121033383-440", "Entity Project Id"); - c.assertEqual(events[2].getEntityRegistrator(), "openbis_test_js", "Entity Registrator"); - c.assertDate(events[2].getEntityRegistrationDate(), "Entity Registration date", 2021, 5, 14, 10, 10); - c.assertEqual(events[2].getIdentifier(), "20210514121033530-444", "Identifier"); - c.assertEqual(events[2].getDescription(), "20210514121033530-444", "Description"); - c.assertEqual(events[2].getReason(), "delete experiments", "Reason"); - c.assertEqual(events[2].getRegistrator().getUserId(), "admin", "Registrator"); - c.assertDate(events[2].getRegistrationDate(), "Registration date", 2021, 5, 14, 10, 10); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchEvents() withEntitySpace", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.EventSearchCriteria(); - criteria.withEntitySpace().thatEquals("EVENT_TEST_SPACE_C"); - var fetchOptions = new dtos.EventFetchOptions(); - return facade.searchEvents(criteria, fetchOptions); - } - - var fCheck = function(facade, events) { - c.assertEqual(events.length, 1); - - c.assertEqual(events[0].getEventType(), dtos.EventType.DELETION, "Event Type"); - c.assertEqual(events[0].getEntityType(), dtos.EntityType.PROJECT, "Entity Type"); - c.assertEqual(events[0].getEntitySpace(), "EVENT_TEST_SPACE_C", "Entity Space"); - c.assertEqual(events[0].getEntitySpaceId().getTechId(), 6, "Entity Space Id"); - c.assertEqual(events[0].getEntityProject(), "/EVENT_TEST_SPACE_C/EVENT_TEST_PROJECT_C", "Entity Project"); - c.assertEqual(events[0].getEntityProjectId().getPermId(), "20210514121033383-441", "Entity Project Id"); - c.assertEqual(events[0].getIdentifier(), "20210514121033383-441", "Identifier"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchEvents() withEntitySpaceId", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.EventSearchCriteria(); - criteria.withEntitySpaceId().thatEquals("6"); - var fetchOptions = new dtos.EventFetchOptions(); - return facade.searchEvents(criteria, fetchOptions); - } - - var fCheck = function(facade, events) { - c.assertEqual(events.length, 1); - - c.assertEqual(events[0].getEventType(), dtos.EventType.DELETION, "Event Type"); - c.assertEqual(events[0].getEntityType(), dtos.EntityType.PROJECT, "Entity Type"); - c.assertEqual(events[0].getEntitySpace(), "EVENT_TEST_SPACE_C", "Entity Space"); - c.assertEqual(events[0].getEntitySpaceId().getTechId(), 6, "Entity Space Id"); - c.assertEqual(events[0].getEntityProject(), "/EVENT_TEST_SPACE_C/EVENT_TEST_PROJECT_C", "Entity Project"); - c.assertEqual(events[0].getEntityProjectId().getPermId(), "20210514121033383-441", "Entity Project Id"); - c.assertEqual(events[0].getIdentifier(), "20210514121033383-441", "Identifier"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchEvents() withEntityProject", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.EventSearchCriteria(); - criteria.withEntityProject().thatEquals("/EVENT_TEST_SPACE_B/EVENT_TEST_PROJECT_B"); - var fetchOptions = new dtos.EventFetchOptions(); - fetchOptions.sortBy().identifier(); - return facade.searchEvents(criteria, fetchOptions); - } - - var fCheck = function(facade, events) { - c.assertEqual(events.length, 3); - - c.assertEqual(events[0].getEventType(), dtos.EventType.DELETION, "Event Type"); - c.assertEqual(events[0].getEntityType(), dtos.EntityType.PROJECT, "Entity Type"); - c.assertEqual(events[0].getEntitySpace(), "EVENT_TEST_SPACE_B", "Entity Space"); - c.assertEqual(events[0].getEntityProject(), "/EVENT_TEST_SPACE_B/EVENT_TEST_PROJECT_B", "Entity Project"); - c.assertEqual(events[0].getEntityProjectId().getPermId(), "20210514121033383-440", "Entity Project Id"); - c.assertEqual(events[0].getIdentifier(), "20210514121033383-440", "Identifier"); - - c.assertEqual(events[1].getEventType(), dtos.EventType.DELETION, "Event Type"); - c.assertEqual(events[1].getEntityType(), dtos.EntityType.EXPERIMENT, "Entity Type"); - c.assertEqual(events[1].getEntitySpace(), "EVENT_TEST_SPACE_B", "Entity Space"); - c.assertEqual(events[1].getEntityProject(), "/EVENT_TEST_SPACE_B/EVENT_TEST_PROJECT_B", "Entity Project"); - c.assertEqual(events[1].getEntityProjectId().getPermId(), "20210514121033383-440", "Entity Project Id"); - c.assertEqual(events[1].getIdentifier(), "20210514121033530-443", "Identifier"); - - c.assertEqual(events[2].getEventType(), dtos.EventType.DELETION, "Event Type"); - c.assertEqual(events[2].getEntityType(), dtos.EntityType.EXPERIMENT, "Entity Type"); - c.assertEqual(events[2].getEntitySpace(), "EVENT_TEST_SPACE_B", "Entity Space"); - c.assertEqual(events[2].getEntityProject(), "/EVENT_TEST_SPACE_B/EVENT_TEST_PROJECT_B", "Entity Project"); - c.assertEqual(events[2].getEntityProjectId().getPermId(), "20210514121033383-440", "Entity Project Id"); - c.assertEqual(events[2].getIdentifier(), "20210514121033530-444", "Identifier"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchEvents() withEntityProjectId", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.EventSearchCriteria(); - criteria.withEntityProjectId().thatEquals("20210514121033383-441"); - var fetchOptions = new dtos.EventFetchOptions(); - return facade.searchEvents(criteria, fetchOptions); - } - - var fCheck = function(facade, events) { - c.assertEqual(events.length, 1); - - c.assertEqual(events[0].getEventType(), dtos.EventType.DELETION, "Event Type"); - c.assertEqual(events[0].getEntityType(), dtos.EntityType.PROJECT, "Entity Type"); - c.assertEqual(events[0].getEntitySpace(), "EVENT_TEST_SPACE_C", "Entity Space"); - c.assertEqual(events[0].getEntitySpaceId().getTechId(), 6, "Entity Space Id"); - c.assertEqual(events[0].getEntityProject(), "/EVENT_TEST_SPACE_C/EVENT_TEST_PROJECT_C", "Entity Project"); - c.assertEqual(events[0].getEntityProjectId().getPermId(), "20210514121033383-441", "Entity Project Id"); - c.assertEqual(events[0].getIdentifier(), "20210514121033383-441", "Identifier"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchEvents() withEntityRegistrator", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.EventSearchCriteria(); - criteria.withEntityRegistrator().thatEquals("openbis_test_js"); - var fetchOptions = new dtos.EventFetchOptions(); - fetchOptions.sortBy().id(); - return facade.searchEvents(criteria, fetchOptions); - } - - var fCheck = function(facade, events) { - c.assertEqual(events.length, 2); - - c.assertEqual(events[0].getEventType(), dtos.EventType.DELETION, "Event Type"); - c.assertEqual(events[0].getEntityType(), dtos.EntityType.EXPERIMENT, "Entity Type"); - c.assertEqual(events[0].getEntityRegistrator(), "openbis_test_js", "Entity Registrator"); - c.assertEqual(events[0].getIdentifier(), "20210514121033530-444", "Identifier"); - - c.assertEqual(events[1].getEventType(), dtos.EventType.DELETION, "Event Type"); - c.assertEqual(events[1].getEntityType(), dtos.EntityType.EXPERIMENT, "Entity Type"); - c.assertEqual(events[1].getEntityRegistrator(), "openbis_test_js", "Entity Registrator"); - c.assertEqual(events[1].getIdentifier(), "20210514121033530-443", "Identifier"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchEvents() withEntityRegistrationDate", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.EventSearchCriteria(); - criteria.withEntityRegistrationDate().thatEquals("2021-05-13"); - var fetchOptions = new dtos.EventFetchOptions(); - return facade.searchEvents(criteria, fetchOptions); - } - - var fCheck = function(facade, events) { - c.assertEqual(events.length, 1); - - c.assertEqual(events[0].getEventType(), dtos.EventType.DELETION, "Event Type"); - c.assertEqual(events[0].getEntityType(), dtos.EntityType.PROJECT, "Entity Type"); - c.assertDate(events[0].getEntityRegistrationDate(), "Entity Registration date", 2021, 5, 13, 8, 0); - c.assertEqual(events[0].getIdentifier(), "20210514121033383-441", "Identifier"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchEvents() withReason", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.EventSearchCriteria(); - criteria.withReason().thatEquals("delete experiments"); - var fetchOptions = new dtos.EventFetchOptions(); - fetchOptions.sortBy().id(); - return facade.searchEvents(criteria, fetchOptions); - } - - var fCheck = function(facade, events) { - c.assertEqual(events.length, 2); - - c.assertEqual(events[0].getEventType(), dtos.EventType.DELETION, "Event Type"); - c.assertEqual(events[0].getEntityType(), dtos.EntityType.EXPERIMENT, "Entity Type"); - c.assertEqual(events[0].getEntityRegistrator(), "openbis_test_js", "Entity Registrator"); - c.assertEqual(events[0].getIdentifier(), "20210514121033530-444", "Identifier"); - - c.assertEqual(events[1].getEventType(), dtos.EventType.DELETION, "Event Type"); - c.assertEqual(events[1].getEntityType(), dtos.EntityType.EXPERIMENT, "Entity Type"); - c.assertEqual(events[1].getEntityRegistrator(), "openbis_test_js", "Entity Registrator"); - c.assertEqual(events[1].getIdentifier(), "20210514121033530-443", "Identifier"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchEvents() withRegistrator", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.EventSearchCriteria(); - criteria.withRegistrator().withUserId().thatEquals("openbis_test_js"); - var fetchOptions = new dtos.EventFetchOptions(); - fetchOptions.withRegistrator(); - return facade.searchEvents(criteria, fetchOptions); - } - - var fCheck = function(facade, events) { - c.assertEqual(events.length, 1); - - c.assertEqual(events[0].getEventType(), dtos.EventType.FREEZING, "Event Type"); - c.assertEqual(events[0].getEntityType(), dtos.EntityType.EXPERIMENT, "Entity Type"); - c.assertEqual(events[0].getIdentifier(), "/EVENT_TEST_SPACE_A/EVENT_TEST_PROJECT_A/EVENT_TEST_EXPERIMENT_A", "Identifier"); - c.assertEqual(events[0].getRegistrator().getUserId(), "openbis_test_js", "Registrator"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchEvents() withRegistrationDate", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.EventSearchCriteria(); - criteria.withAndOperator(); - criteria.withRegistrationDate().thatIsLaterThanOrEqualTo("2021-05-11"); - criteria.withRegistrationDate().thatIsEarlierThanOrEqualTo("2021-05-13"); - var fetchOptions = new dtos.EventFetchOptions(); - return facade.searchEvents(criteria, fetchOptions); - } - - var fCheck = function(facade, events) { - c.assertEqual(events.length, 1); - - c.assertEqual(events[0].getEventType(), dtos.EventType.DELETION, "Event Type"); - c.assertEqual(events[0].getEntityType(), dtos.EntityType.PROJECT, "Entity Type"); - c.assertDate(events[0].getRegistrationDate(), "Registration date", 2021, 5, 12, 8, 10); - c.assertEqual(events[0].getIdentifier(), "20210514121033383-441", "Identifier"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchQueries() withId", function(assert) { - var c = new common(assert, dtos); - - var creation = new dtos.QueryCreation(); - creation.setName(c.generateId("query")); - creation.setDatabaseId(new dtos.QueryDatabaseName("openbisDB")); - creation.setQueryType(dtos.QueryType.GENERIC); - creation.setSql("select * from spaces"); - - var fSearch = function(facade) { - return facade.createQueries([creation]).then(function(techIds) { - var criteria = new dtos.QuerySearchCriteria(); - criteria.withId().thatEquals(techIds[0]); - return facade.searchQueries(criteria, c.createQueryFetchOptions()); - }); - } - - var fCheck = function(facade, queries) { - c.assertEqual(queries.length, 1); - c.assertEqual(queries[0].getName(), creation.getName(), "Name"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchQueries() withName", function(assert) { - var c = new common(assert, dtos); - - var creation = new dtos.QueryCreation(); - creation.setName(c.generateId("query")); - creation.setDatabaseId(new dtos.QueryDatabaseName("openbisDB")); - creation.setQueryType(dtos.QueryType.GENERIC); - creation.setSql("select * from spaces"); - - var fSearch = function(facade) { - return facade.createQueries([creation]).then(function(techIds) { - var criteria = new dtos.QuerySearchCriteria(); - criteria.withName().thatEquals(creation.getName()); - return facade.searchQueries(criteria, c.createQueryFetchOptions()); - }); - } - - var fCheck = function(facade, queries) { - c.assertEqual(queries.length, 1); - c.assertEqual(queries[0].getName(), creation.getName(), "Name"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchQueries() withEntityTypeCodePattern", function(assert) { - var c = new common(assert, dtos); - - var creation = new dtos.QueryCreation(); - creation.setName(c.generateId("query")); - creation.setDatabaseId(new dtos.QueryDatabaseName("openbisDB")); - creation.setQueryType(dtos.QueryType.EXPERIMENT); - creation.setEntityTypeCodePattern(c.generateId("pattern")) - creation.setSql("select * from experiments where perm_id = ${key}"); - - var fSearch = function(facade) { - return facade.createQueries([creation]).then(function(techIds) { - var criteria = new dtos.QuerySearchCriteria(); - criteria.withEntityTypeCodePattern().thatEquals(creation.getEntityTypeCodePattern()); - return facade.searchQueries(criteria, c.createQueryFetchOptions()); - }); - } - - var fCheck = function(facade, queries) { - c.assertEqual(queries.length, 1); - c.assertEqual(queries[0].getName(), creation.getName(), "Name"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchQueryDatabases() withId", function(assert) { - var c = new common(assert, dtos); - - var fSearch = function(facade) { - var criteria = new dtos.QueryDatabaseSearchCriteria(); - var fo = new dtos.QueryDatabaseFetchOptions(); - fo.withSpace(); - fo.sortBy().name().asc(); - - criteria.withId().thatEquals(new dtos.QueryDatabaseName("openbisDB")); - return facade.searchQueryDatabases(criteria, fo); - } - - var fCheck = function(facade, databases) { - c.assertEqual(databases.length, 1); - c.assertEqual(databases[0].getPermId().getName(), "openbisDB", "PermId"); - c.assertEqual(databases[0].getName(), "openbisDB", "Name"); - c.assertEqual(databases[0].getLabel(), "openBIS meta data", "Label"); - c.assertEqual(databases[0].getCreatorMinimalRole(), dtos.Role.OBSERVER, "CreatorMinimalRole"); - c.assertEqual(databases[0].getCreatorMinimalRoleLevel(), dtos.RoleLevel.INSTANCE, "CreatorMinimalRoleLevel"); - c.assertEqual(databases[0].getSpace(), null, "Space"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchPersonalAccessTokens() withId", function(assert) { - var c = new common(assert, dtos); - var now = new Date(); - - var creation = new dtos.PersonalAccessTokenCreation(); - creation.setSessionName(c.generateId("pat")); - creation.setValidFromDate(now.getTime()); - creation.setValidToDate(new Date(now.getTime() + 24 * 3600 * 1000).getTime()); - - var fSearch = function(facade) { - return facade.createPersonalAccessTokens([creation]).then(function(permIds) { - var criteria = new dtos.PersonalAccessTokenSearchCriteria(); - criteria.withId().thatEquals(permIds[0]); - return facade.searchPersonalAccessTokens(criteria, c.createPersonalAccessTokenFetchOptions()); - }); - } - - var fCheck = function(facade, pats) { - c.assertEqual(pats.length, 1); - c.assertEqual(pats[0].getSessionName(), creation.getSessionName(), "Session name"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchPersonalAccessTokens() withOwner withSessionName", function(assert) { - var c = new common(assert, dtos); - var now = new Date(); - - var creation = new dtos.PersonalAccessTokenCreation(); - creation.setSessionName(c.generateId("pat")); - creation.setValidFromDate(now.getTime()); - creation.setValidToDate(new Date(now.getTime() + 24 * 3600 * 1000).getTime()); - - var fSearch = function(facade) { - return facade.createPersonalAccessTokens([creation]).then(function(permIds) { - return facade.getSessionInformation().then(function(sessionInformation){ - var criteria = new dtos.PersonalAccessTokenSearchCriteria(); - criteria.withOwner().withUserId().thatEquals(sessionInformation.getUserName()); - criteria.withSessionName().thatEquals(creation.getSessionName()); - return facade.searchPersonalAccessTokens(criteria, c.createPersonalAccessTokenFetchOptions()); - }) - }); - } - - var fCheck = function(facade, pats) { - c.assertEqual(pats.length, 1); - c.assertEqual(pats[0].getSessionName(), creation.getSessionName(), "Session name"); - } - - testSearch(c, fSearch, fCheck); - }); - - QUnit.test("searchSamples() withProperty", function(assert) { - var c = new common(assert, dtos); - - var samplePermId; - var propertyTypeId; - var sampleTypeId; - var fSearch = function(facade) { - return createPropertyType(c, facade, dtos.DataType.VARCHAR).then(function(propertyTypeIds) { - propertyTypeId = propertyTypeIds[0]; - return createSampleType(c, facade, false, propertyTypeIds[0]).then(function(sampleTypeIds) { - sampleTypeId = sampleTypeIds[0]; - return createSample(c, facade, sampleTypeIds[0], propertyTypeIds[0], "abc").then( - function(sampleIds) { - samplePermId = sampleIds[0]; - var criteria = new dtos.SampleSearchCriteria(); - criteria.withProperty(propertyTypeIds[0].getPermId()).thatEquals("abc"); - return facade.searchSamples(criteria, c.createSampleFetchOptions()); - }); - }); - }).fail(function(error) { - c.fail("Error creating property type. error=" + error.message); - }); - } - - var fCleanup = function(facade, samples) { - if (samples) { - cleanup(c, facade, samples[0].getPermId(), propertyTypeId, sampleTypeId); - } - } - - var fCheck = function(facade, samples) { - c.assertEqual(samples.length, 1); - c.assertEqual(samples[0].getPermId(), samplePermId.getPermId()); - - fCleanup(facade, samples); - } - - testSearch(c, fSearch, fCheck, fCleanup); - }); - - QUnit.test("searchSamples() withAnyProperty", function(assert) { - var c = new common(assert, dtos); - - var samplePermId; - var propertyTypeId; - var sampleTypeId; - var fSearch = function(facade) { - return createPropertyType(c, facade, dtos.DataType.VARCHAR).then(function(propertyTypeIds) { - propertyTypeId = propertyTypeIds[0]; - return createSampleType(c, facade, false, propertyTypeIds[0]).then(function(sampleTypeIds) { - sampleTypeId = sampleTypeIds[0]; - return createSample(c, facade, sampleTypeIds[0], propertyTypeIds[0], "abc").then( - function(sampleIds) { - samplePermId = sampleIds[0]; - var criteria = new dtos.SampleSearchCriteria(); - criteria.withAnyProperty().thatEquals("abc"); - return facade.searchSamples(criteria, c.createSampleFetchOptions()); - }); - }); - }).fail(function(error) { - c.fail("Error creating property type. error=" + error.message); - }); - } - - var fCleanup = function(facade, samples) { - if (samples) { - cleanup(c, facade, samples[0].getPermId(), propertyTypeId, sampleTypeId); - } - } - - var fCheck = function(facade, samples) { - c.assertEqual(samples.length, 1); - c.assertEqual(samples[0].getPermId(), samplePermId.getPermId()); - - fCleanup(facade, samples); - } - - testSearch(c, fSearch, fCheck, fCleanup); - }); - - QUnit.test("searchSamples() withStringProperty", function(assert) { - var c = new common(assert, dtos); - - var samplePermId; - var propertyTypeId; - var sampleTypeId; - var fSearch = function(facade) { - return createPropertyType(c, facade, dtos.DataType.VARCHAR).then(function(propertyTypeIds) { - propertyTypeId = propertyTypeIds[0]; - return createSampleType(c, facade, false, propertyTypeIds[0]).then(function(sampleTypeIds) { - sampleTypeId = sampleTypeIds[0]; - return createSample(c, facade, sampleTypeIds[0], propertyTypeIds[0], "abc").then( - function(sampleIds) { - samplePermId = sampleIds[0]; - var criteria = new dtos.SampleSearchCriteria(); - criteria.withStringProperty(propertyTypeIds[0].getPermId()).thatEquals("abc"); - return facade.searchSamples(criteria, c.createSampleFetchOptions()); - }); - }); - }).fail(function(error) { - c.fail("Error creating property type. error=" + error.message); - }); - } - - var fCleanup = function(facade, samples) { - if (samples) { - cleanup(c, facade, samples[0].getPermId(), propertyTypeId, sampleTypeId); - } - } - - var fCheck = function(facade, samples) { - c.assertEqual(samples.length, 1); - c.assertEqual(samples[0].getPermId(), samplePermId.getPermId()); - - fCleanup(facade, samples); - } - - testSearch(c, fSearch, fCheck, fCleanup); - }); - - QUnit.test("searchSamples() withAnyStringProperty", function(assert) { - var c = new common(assert, dtos); - - var samplePermId; - var propertyTypeId; - var sampleTypeId; - var fSearch = function(facade) { - return createPropertyType(c, facade, dtos.DataType.VARCHAR).then(function(propertyTypeIds) { - propertyTypeId = propertyTypeIds[0]; - return createSampleType(c, facade, false, propertyTypeIds[0]).then(function(sampleTypeIds) { - sampleTypeId = sampleTypeIds[0]; - return createSample(c, facade, sampleTypeIds[0], propertyTypeIds[0], "abc").then( - function(sampleIds) { - samplePermId = sampleIds[0]; - var criteria = new dtos.SampleSearchCriteria(); - criteria.withAnyStringProperty().thatEquals("abc"); - return facade.searchSamples(criteria, c.createSampleFetchOptions()); - }); - }); - }).fail(function(error) { - c.fail("Error creating property type. error=" + error.message); - }); - } - - var fCleanup = function(facade, samples) { - if (samples) { - cleanup(c, facade, samples[0].getPermId(), propertyTypeId, sampleTypeId); - } - } - - var fCheck = function(facade, samples) { - c.assertEqual(samples.length, 1); - c.assertEqual(samples[0].getPermId(), samplePermId.getPermId()); - - fCleanup(facade, samples); - } - - testSearch(c, fSearch, fCheck, fCleanup); - }); - - QUnit.test("searchSamples() withStringProperty throwing exception", function(assert) { - var c = new common(assert, dtos); - checkExceptionsThrown(assert, [ - dtos.DataType.BOOLEAN, - dtos.DataType.CONTROLLEDVOCABULARY, - dtos.DataType.DATE, - dtos.DataType.INTEGER, - dtos.DataType.MATERIAL, - dtos.DataType.REAL, - dtos.DataType.SAMPLE, - dtos.DataType.TIMESTAMP - ], function(propertyTypePermId) { - var criteria = new dtos.SampleSearchCriteria(); - criteria.withStringProperty(propertyTypePermId).thatEquals("true"); - return criteria; - }); - }); - - QUnit.test("searchSamples() withNumberProperty", function(assert) { - var c = new common(assert, dtos); - - var samplePermId; - var propertyTypeId; - var sampleTypeId; - var fSearch = function(facade) { - return createPropertyType(c, facade, dtos.DataType.INTEGER).then(function(propertyTypeIds) { - propertyTypeId = propertyTypeIds[0]; - return createSampleType(c, facade, false, propertyTypeIds[0]).then(function(sampleTypeIds) { - sampleTypeId = sampleTypeIds[0]; - return createSample(c, facade, sampleTypeIds[0], propertyTypeIds[0], 12344).then( - function(sampleIds) { - samplePermId = sampleIds[0]; - var criteria = new dtos.SampleSearchCriteria(); - criteria.withNumberProperty(propertyTypeIds[0].getPermId()).thatEquals(12344); - return facade.searchSamples(criteria, c.createSampleFetchOptions()); - }); - }); - }).fail(function(error) { - c.fail("Error creating property type. error=" + error.message); - }); - } - - var fCleanup = function(facade, samples) { - if (samples) { - cleanup(c, facade, samples[0].getPermId(), propertyTypeId, sampleTypeId); - } - } - - var fCheck = function(facade, samples) { - c.assertEqual(samples.length, 1); - c.assertEqual(samples[0].getPermId(), samplePermId.getPermId()); - - fCleanup(facade, samples); - } - - testSearch(c, fSearch, fCheck, fCleanup); - }); - - QUnit.test("searchSamples() withAnyNumberProperty", function(assert) { - var c = new common(assert, dtos); - - var samplePermId; - var propertyTypeId; - var sampleTypeId; - var fSearch = function(facade) { - return createPropertyType(c, facade, dtos.DataType.INTEGER).then(function(propertyTypeIds) { - propertyTypeId = propertyTypeIds[0]; - return createSampleType(c, facade, false, propertyTypeIds[0]).then(function(sampleTypeIds) { - sampleTypeId = sampleTypeIds[0]; - return createSample(c, facade, sampleTypeIds[0], propertyTypeIds[0], 12344).then( - function(sampleIds) { - samplePermId = sampleIds[0]; - var criteria = new dtos.SampleSearchCriteria(); - criteria.withAnyNumberProperty().thatEquals(12344); - return facade.searchSamples(criteria, c.createSampleFetchOptions()); - }); - }); - }).fail(function(error) { - c.fail("Error creating property type. error=" + error.message); - }); - } - - var fCleanup = function(facade, samples) { - if (samples) { - cleanup(c, facade, samples[0].getPermId(), propertyTypeId, sampleTypeId); - } - } - - var fCheck = function(facade, samples) { - c.assertEqual(samples.length, 1); - c.assertEqual(samples[0].getPermId(), samplePermId.getPermId()); - - fCleanup(facade, samples); - } - - testSearch(c, fSearch, fCheck, fCleanup); - }); - - QUnit.test("searchSamples() withNumberProperty throwing exception", function(assert) { - var c = new common(assert, dtos); - checkExceptionsThrown(assert, [ - dtos.DataType.BOOLEAN, - dtos.DataType.CONTROLLEDVOCABULARY, - dtos.DataType.DATE, - dtos.DataType.HYPERLINK, - dtos.DataType.MATERIAL, - dtos.DataType.MULTILINE_VARCHAR, - dtos.DataType.SAMPLE, - dtos.DataType.TIMESTAMP, - dtos.DataType.VARCHAR, - dtos.DataType.XML, - ], function(propertyTypePermId) { - var criteria = new dtos.SampleSearchCriteria(); - criteria.withNumberProperty(propertyTypePermId).thatEquals(12); - return criteria; - }); - }); - - QUnit.test("searchSamples() withBooleanProperty", function(assert) { - var c = new common(assert, dtos); - - var samplePermId; - var propertyTypeId; - var sampleTypeId; - var fSearch = function(facade) { - return createPropertyType(c, facade, dtos.DataType.BOOLEAN).then(function(propertyTypeIds) { - propertyTypeId = propertyTypeIds[0]; - return createSampleType(c, facade, false, propertyTypeIds[0]).then(function(sampleTypeIds) { - sampleTypeId = sampleTypeIds[0]; - return createSample(c, facade, sampleTypeIds[0], propertyTypeIds[0], true).then( - function(sampleIds) { - samplePermId = sampleIds[0]; - var criteria = new dtos.SampleSearchCriteria(); - criteria.withBooleanProperty(propertyTypeIds[0].getPermId()).thatEquals(true); - return facade.searchSamples(criteria, c.createSampleFetchOptions()); - }); - }); - }); - } - - var fCleanup = function(facade, samples) { - if (samples) { - cleanup(c, facade, samples[0].getPermId(), propertyTypeId, sampleTypeId); - } - } - - var fCheck = function(facade, samples) { - c.assertEqual(samples.length, 1); - c.assertEqual(samples[0].getPermId(), samplePermId.getPermId()); - - fCleanup(facade, samples); - } - - testSearch(c, fSearch, fCheck, fCleanup); - }); - - QUnit.test("searchSamples() withAnyBooleanProperty", function(assert) { - var c = new common(assert, dtos); - - var samplePermId; - var propertyTypeId; - var sampleTypeId; - var fSearch = function(facade) { - return createPropertyType(c, facade, dtos.DataType.BOOLEAN).then(function(propertyTypeIds) { - propertyTypeId = propertyTypeIds[0]; - return createSampleType(c, facade, false, propertyTypeIds[0]).then(function(sampleTypeIds) { - sampleTypeId = sampleTypeIds[0]; - return createSample(c, facade, sampleTypeIds[0], propertyTypeIds[0], true).then( - function(sampleIds) { - samplePermId = sampleIds[0]; - var criteria = new dtos.SampleSearchCriteria(); - criteria.withAnyBooleanProperty().thatEquals(true); - return facade.searchSamples(criteria, c.createSampleFetchOptions()); - }); - }); - }); - } - - var fCleanup = function(facade, samples) { - if (samples) { - cleanup(c, facade, samples[0].getPermId(), propertyTypeId, sampleTypeId); - } - } - - var fCheck = function(facade, samples) { - c.assertEqual(samples.length, 1); - c.assertEqual(samples[0].getPermId(), samplePermId.getPermId()); - - fCleanup(facade, samples); - } - - testSearch(c, fSearch, fCheck, fCleanup); - }); - - QUnit.test("searchSamples() withBooleanProperty throwing exception", function(assert) { - var c = new common(assert, dtos); - checkExceptionsThrown(assert, [ - dtos.DataType.CONTROLLEDVOCABULARY, - dtos.DataType.DATE, - dtos.DataType.HYPERLINK, - dtos.DataType.INTEGER, - dtos.DataType.MATERIAL, - dtos.DataType.MULTILINE_VARCHAR, - dtos.DataType.REAL, - dtos.DataType.SAMPLE, - dtos.DataType.TIMESTAMP, - dtos.DataType.VARCHAR, - dtos.DataType.XML, - ], function(propertyTypePermId) { - var criteria = new dtos.SampleSearchCriteria(); - criteria.withBooleanProperty(propertyTypePermId).thatEquals(true); - return criteria; - }); - }); - - QUnit.test("searchSamples() withDateProperty", function(assert) { - var c = new common(assert, dtos); - - var samplePermId; - var propertyTypeId; - var sampleTypeId; - var fSearch = function(facade) { - return createPropertyType(c, facade, dtos.DataType.DATE).then(function(propertyTypeIds) { - propertyTypeId = propertyTypeIds[0]; - return createSampleType(c, facade, false, propertyTypeIds[0]).then(function(sampleTypeIds) { - sampleTypeId = sampleTypeIds[0]; - return createSample(c, facade, sampleTypeIds[0], propertyTypeIds[0], '2007-07-17').then( - function(sampleIds) { - samplePermId = sampleIds[0]; - var criteria = new dtos.SampleSearchCriteria(); - criteria.withDateProperty(propertyTypeIds[0].getPermId()).thatEquals('2007-07-17'); - return facade.searchSamples(criteria, c.createSampleFetchOptions()); - }); - }); - }).fail(function(error) { - c.fail("Error creating property type. error=" + error.message); - }); - } - - var fCleanup = function(facade, samples) { - if (samples) { - cleanup(c, facade, samples[0].getPermId(), propertyTypeId, sampleTypeId); - } - } - - var fCheck = function(facade, samples) { - c.assertEqual(samples.length, 1); - c.assertEqual(samples[0].getPermId(), samplePermId.getPermId()); - - fCleanup(facade, samples); - } - - testSearch(c, fSearch, fCheck, fCleanup); - }); - - QUnit.test("searchSamples() withAnyDateProperty", function(assert) { - var c = new common(assert, dtos); - - var samplePermId; - var propertyTypeId; - var sampleTypeId; - var fSearch = function(facade) { - return createPropertyType(c, facade, dtos.DataType.DATE).then(function(propertyTypeIds) { - propertyTypeId = propertyTypeIds[0]; - return createSampleType(c, facade, false, propertyTypeIds[0]).then(function(sampleTypeIds) { - sampleTypeId = sampleTypeIds[0]; - return createSample(c, facade, sampleTypeIds[0], propertyTypeIds[0], '2017-09-17').then( - function(sampleIds) { - samplePermId = sampleIds[0]; - var criteria = new dtos.SampleSearchCriteria(); - criteria.withAnyDateProperty().thatEquals('2017-09-17'); - return facade.searchSamples(criteria, c.createSampleFetchOptions()); - }); - }); - }).fail(function(error) { - c.fail("Error creating property type. error=" + error.message); - }); - } - - var fCleanup = function(facade, samples) { - if (samples) { - cleanup(c, facade, samples[0].getPermId(), propertyTypeId, sampleTypeId); - } - } - - var fCheck = function(facade, samples) { - c.assertEqual(samples.length, 1); - c.assertEqual(samples[0].getPermId(), samplePermId.getPermId()); - - fCleanup(facade, samples); - } - - testSearch(c, fSearch, fCheck, fCleanup); - }); - - QUnit.test("searchSamples() withDateProperty throwing exception", function(assert) { - var c = new common(assert, dtos); - checkExceptionsThrown(assert, [ - dtos.DataType.BOOLEAN, - dtos.DataType.CONTROLLEDVOCABULARY, - dtos.DataType.HYPERLINK, - dtos.DataType.INTEGER, - dtos.DataType.MATERIAL, - dtos.DataType.MULTILINE_VARCHAR, - dtos.DataType.REAL, - dtos.DataType.SAMPLE, - dtos.DataType.VARCHAR, - dtos.DataType.XML, - ], function(propertyTypePermId) { - var criteria = new dtos.SampleSearchCriteria(); - criteria.withDateProperty(propertyTypePermId).thatEquals('2017-09-17'); - return criteria; - }); - }); - - function checkExceptionsThrown(assert, dataTypes, createCriteria) { - var c = new common(assert, dtos); - c.start = function() {} - c.finish = function() {} - - var finish = assert.async(); - - var fRecursion = function(i) { - if (i < dataTypes.length - 1) { - testDataType(i + 1); - } else { - finish(); - } - } - - var testDataType = function(i) { - var dataType = dataTypes[i]; - var fSearch = function(facade) { - return createPropertyType(c, facade, dataType).then(function(propertyTypeIds) { - var criteria = createCriteria(propertyTypeIds[0].getPermId()); - return facade.searchSamples(criteria, c.createSampleFetchOptions()); - }); - } - - var fCheck = function() { - c.fail("Expected exception not thrown for data type " + dataType + "."); - fRecursion(i); - } - - testSearch(c, fSearch, fCheck, function(e) { - c.ok("Expected exception thrown for data type " + dataType + "."); - fRecursion(i); - }); - } - - testDataType(0); - } - - function cleanup(c, facade, samplePermId, propertyTypeId, sampleTypeId) { - var options = new dtos.SampleDeletionOptions(); - options.setReason("Test reason."); - facade.deleteSamples([samplePermId], options) - .then(function(deletionId) { - facade.confirmDeletions([deletionId]).then(function(){ - var options = new dtos.SampleTypeDeletionOptions() - options.setReason("Test reason."); - facade.deleteSampleTypes([sampleTypeId], options) - .then(function() { - var options = new dtos.PropertyTypeDeletionOptions() - options.setReason("Test reason."); - facade.deletePropertyTypes([propertyTypeId], options) - .fail(function(error) { - c.fail("Error deleting property type. error.message=" + erro.message); - }); - }) - .fail(function(error) { - c.fail("Error deleting sample type. error.message=" + error.message); - }); - }).fail(function(error) { - c.fail("Error confirming sample deletion. error.message=" + error.message); - }); - }) - .fail(function(error) { - c.fail("Error deleting sample. error.message=" + error.message); - }); - } - - function createSampleType(c, facade, mandatory) { - var creation = new dtos.SampleTypeCreation(); - creation.setCode("SAMPLE-TYPE-" + Date.now()); - - var assignments = []; - for (var i = 3; i < arguments.length; i++) { - var propertyAssignmentCreation = new dtos.PropertyAssignmentCreation(); - propertyAssignmentCreation.setPropertyTypeId(arguments[i]); - propertyAssignmentCreation.setMandatory(mandatory); - assignments.push(propertyAssignmentCreation); - } - creation.setPropertyAssignments(assignments); - - return facade.createSampleTypes([creation]); - } - - function createPropertyType(c, facade, dataType, vocabularyPermId) { - var creation = new dtos.PropertyTypeCreation(); - creation.setCode("TYPE-" + Date.now()); - creation.setDataType(dataType); - creation.setDescription("description"); - creation.setLabel("label"); - creation.setMultiValue(false); - - if (dataType === dtos.DataType.CONTROLLEDVOCABULARY) - { - creation.setVocabularyId(vocabularyPermId); - } - return facade.createPropertyTypes([creation]); - } - - function createSample(c, facade, sampleTypeId, propertyType, value) { - var creation = new dtos.SampleCreation(); - creation.setTypeId(sampleTypeId); - creation.setCode("V3-TST-SAMPLE-" + Date.now()); - creation.setSpaceId(new dtos.SpacePermId("TEST")); - creation.setProperty(propertyType, value); - return facade.createSamples([creation]); - } - } - - return function() { - executeModule("Search tests (RequireJS)", new openbis(), dtos); - executeModule("Search tests (RequireJS - executeOperations)", new openbisExecuteOperations(new openbis(), dtos), dtos); - executeModule("Search tests (module VAR)", new window.openbis.openbis(), window.openbis); - executeModule("Search tests (module VAR - executeOperations)", new openbisExecuteOperations(new window.openbis.openbis(), window.openbis), window.openbis); - executeModule("Search tests (module ESM)", new window.openbisESM.openbis(), window.openbisESM); - executeModule("Search tests (module ESM - executeOperations)", new openbisExecuteOperations(new window.openbisESM.openbis(), window.openbisESM), window.openbisESM); - } -}); diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-search.ts b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-search.ts new file mode 100644 index 0000000000000000000000000000000000000000..05c60aef70834746adb89d46586f296a111152f0 --- /dev/null +++ b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-search.ts @@ -0,0 +1,4166 @@ +import jquery from "./types/jquery" +import underscore from "./types/underscore" +import common from "./types/common" +import openbis from "./types/openbis.esm" + +exports.default = new Promise((resolve) => { + require(["jquery", "underscore", "openbis", "test/common", "test/openbis-execute-operations", "test/dtos", "test/naturalsort"], function ( + $: jquery.JQueryStatic, + _: underscore.UnderscoreStatic, + openbisRequireJS, + common: common.CommonConstructor, + openbisExecuteOperations, + dtos, + naturalsort + ) { + var executeModule = function (moduleName: string, facade: openbis.openbis, dtos: openbis.bundle) { + QUnit.module(moduleName) + + var testSearch = function (c: common.CommonClass, fSearch, fCheck, fCheckError?) { + c.start() + + c.login(facade) + .then(function () { + c.ok("Login") + return fSearch(facade).then(function (results) { + c.ok("Got results") + try { + fCheck(facade, results.getObjects()) + } catch (e) { + if (fCheckError) { + fCheckError(e) + } else { + c.fail(e.message) + } + console.error("Exception.", e.message) + throw e + } finally { + c.finish() + } + }) + }) + .fail(function (error) { + if (fCheckError) { + fCheckError(error) + } else { + c.fail(error ? error.message : "Unknown error.") + } + c.finish() + }) + } + + var testSearchWithPagingAndSortingByAll = function (c: common.CommonClass, fSearch, fetchOptions) { + testSearchWithPagingAndSorting(c, fSearch, fetchOptions, "code").then(function () { + testSearchWithPagingAndSorting(c, fSearch, fetchOptions, "registrationDate") + }) + } + + var testSearchWithPagingAndGenericSorting = function ( + c: common.CommonClass, + fSearch, + fetchOptions, + fieldName, + fieldParameters, + disableSortCheck, + codeOfFirstAsc, + comparator + ) { + c.start() + + fetchOptions.from(null).count(null) + fetchOptions.sort = null + + return c + .login(facade) + .then(function () { + c.ok("Login") + + return fSearch(facade).then(function (results) { + var objects = results.getObjects() + + c.assertTrue(objects.length > 1, "Got at least 2 objects") + + c.ok("Sorting by " + fieldName) + var fieldGetterName = "get" + fieldName.substr(0, 1).toUpperCase() + fieldName.substr(1) + + if (disableSortCheck && codeOfFirstAsc) { + fetchOptions.from(0).count(1) + } else { + var comparatorAsc = function (o1, o2) { + var v1 = o1[fieldGetterName](fieldParameters) + var v2 = o2[fieldGetterName](fieldParameters) + + return comparator(v1, v2) + } + + var comparatorDesc = function (o1, o2) { + return comparatorAsc(o2, o1) + } + + objects.sort(comparatorAsc) + var codesAsc = objects.map(function (object) { + return object.code + }) + + objects.sort(comparatorDesc) + var codesDesc = objects.map(function (object) { + return object.code + }) + + fetchOptions.from(1).count(1) + } + + fetchOptions.sortBy()[fieldName](fieldParameters) + return fSearch(facade).then(function (results) { + c.ok("Got results ASC") + if (disableSortCheck && codeOfFirstAsc) { + c.assertObjectsWithValues(results.getObjects(), "code", [codeOfFirstAsc]) + fetchOptions.from(null).count(null) + } else { + c.assertObjectsWithValues(results.getObjects(), "code", [codesAsc[1]]) + } + + fetchOptions.sortBy()[fieldName](fieldParameters).desc() + return fSearch(facade).then(function (results) { + c.ok("Got results DESC") + if (disableSortCheck && codeOfFirstAsc) { + var lastObject = results.getObjects()[results.getObjects().length - 1] + c.assertObjectsWithValues([lastObject], "code", [codeOfFirstAsc]) + } else { + c.assertObjectsWithValues(results.getObjects(), "code", [codesDesc[1]]) + } + c.finish() + }) + }) + }) + }) + .fail(function (error) { + c.fail(error.message) + c.finish() + }) + } + + var testSearchWithPagingAndSorting = function ( + c: common.CommonClass, + fSearch, + fetchOptions, + fieldName, + fieldParameters?, + disableSortCheck?, + codeOfFirstAsc? + ) { + return testSearchWithPagingAndGenericSorting( + c, + fSearch, + fetchOptions, + fieldName, + fieldParameters, + disableSortCheck, + codeOfFirstAsc, + naturalsort + ) + } + + var testSearchWithPagingAndStringSorting = function ( + c: common.CommonClass, + fSearch, + fetchOptions, + fieldName, + fieldParameters, + disableSortCheck?, + codeOfFirstAsc? + ) { + return testSearchWithPagingAndGenericSorting( + c, + fSearch, + fetchOptions, + fieldName, + fieldParameters, + disableSortCheck, + codeOfFirstAsc, + (v1, v2) => (v1 > v2 ? -1 : v2 > v1 ? 1 : 0) + ) + } + + QUnit.test("searchSpaces()", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.SpaceSearchCriteria() + criteria.withCode().thatEquals("TEST") + return facade.searchSpaces(criteria, c.createSpaceFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, spaces: openbis.Space[]) { + c.assertEqual(spaces.length, 1) + var space = spaces[0] + c.assertEqual(space.getPermId(), "TEST", "PermId") + c.assertEqual(space.getCode(), "TEST", "Code") + c.assertEqual(space.getDescription(), null, "Description") + c.assertDate(space.getRegistrationDate(), "Registration date", 2013, 4, 12, 12, 59) + c.assertEqual(space.getRegistrator().getUserId(), "admin", "Registrator userId") + c.assertObjectsWithCollections([space], function (object) { + return object.getSamples() + }) + c.assertObjectsWithCollections([space], function (object) { + return object.getProjects() + }) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSpaces() with codes", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.SpaceSearchCriteria() + criteria.withCodes().thatIn(["TEST"]) + return facade.searchSpaces(criteria, c.createSpaceFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, spaces: openbis.Space[]) { + c.assertEqual(spaces.length, 1) + var space = spaces[0] + c.assertEqual(space.getCode(), "TEST", "Code") + c.assertEqual(space.getDescription(), null, "Description") + c.assertDate(space.getRegistrationDate(), "Registration date", 2013, 4, 12, 12, 59) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSpaces() with paging and sorting", function (assert) { + var c = new common(assert, dtos) + + var criteria = new dtos.SpaceSearchCriteria() + criteria.withOrOperator() + criteria.withCode().thatEquals("TEST") + criteria.withCode().thatEquals("PLATONIC") + + var fo = c.createSpaceFetchOptions() + + testSearchWithPagingAndSortingByAll( + c, + function (facade: openbis.openbis) { + return facade.searchSpaces(criteria, fo) + }, + fo + ) + }) + + QUnit.test("searchProjects()", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.ProjectSearchCriteria() + criteria.withSpace().withCode().thatEquals("PLATONIC") + criteria.withCode().thatEquals("SCREENING-EXAMPLES") + return facade.searchProjects(criteria, c.createProjectFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, projects: openbis.Project[]) { + c.assertEqual(projects.length, 1) + var project = projects[0] + c.assertEqual(project.getPermId().getPermId(), "20130412103942912-1", "PermId") + c.assertEqual(project.getIdentifier().getIdentifier(), "/PLATONIC/SCREENING-EXAMPLES", "Identifier") + c.assertEqual(project.getCode(), "SCREENING-EXAMPLES", "Code") + c.assertEqual(project.getDescription(), null, "Description") + c.assertDate(project.getRegistrationDate(), "Registration date", 2013, 4, 12, 8, 39) + c.assertObjectsWithCollections([project], function (object) { + return object.getExperiments() + }) + c.assertEqual(project.getSpace().getCode(), "PLATONIC", "Space code") + c.assertEqual(project.getRegistrator().getUserId(), "admin", "Registrator userId") + c.assertEqual(project.getLeader(), null, "Leader") + c.assertObjectsWithoutCollections([project], function (object) { + return object.getAttachments() + }) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchProjects() with codes", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.ProjectSearchCriteria() + criteria.withCodes().thatIn(["SCREENING-EXAMPLES"]) + return facade.searchProjects(criteria, c.createProjectFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, projects: openbis.Project[]) { + c.assertEqual(projects.length, 1) + var project = projects[0] + c.assertEqual(project.getCode(), "SCREENING-EXAMPLES", "Code") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchProjects() with paging and sorting", function (assert) { + var c = new common(assert, dtos) + + var criteria = new dtos.ProjectSearchCriteria() + criteria.withOrOperator() + criteria.withCode().thatEquals("TEST-PROJECT") + criteria.withCode().thatEquals("SCREENING-EXAMPLES") + + var fo = c.createProjectFetchOptions() + + testSearchWithPagingAndSortingByAll( + c, + function (facade: openbis.openbis) { + return facade.searchProjects(criteria, fo) + }, + fo + ) + }) + + QUnit.test("searchProjects() with sorting by identifier", function (assert) { + var c = new common(assert, dtos) + + var criteria = new dtos.ProjectSearchCriteria() + criteria.withOrOperator() + criteria.withId().thatEquals(new dtos.ProjectIdentifier("/TEST/TEST-PROJECT")) + criteria.withId().thatEquals(new dtos.ProjectIdentifier("/PLATONIC/SCREENING-EXAMPLES")) + + var fo = c.createProjectFetchOptions() + + testSearchWithPagingAndSorting( + c, + function (facade: openbis.openbis) { + return facade.searchProjects(criteria, fo) + }, + fo, + "identifier" + ) + }) + + QUnit.test("searchExperiments()", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.ExperimentSearchCriteria() + criteria.withPermId().thatEquals("20130412105232616-2") + return facade.searchExperiments(criteria, c.createExperimentFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, experiments: openbis.Experiment[]) { + c.assertEqual(experiments.length, 1) + var experiment = experiments[0] + c.assertEqual(experiment.getCode(), "EXP-1", "Experiment code") + c.assertEqual(experiment.getType().getCode(), "HCS_PLATONIC", "Type code") + c.assertEqual(experiment.getProject().getCode(), "SCREENING-EXAMPLES", "Project code") + c.assertEqual(experiment.getProject().getSpace().getCode(), "PLATONIC", "Space code") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchExperiments() with codes", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.ExperimentSearchCriteria() + criteria.withCodes().thatIn(["EXP-1"]) + return facade.searchExperiments(criteria, c.createExperimentFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, experiments: openbis.Experiment[]) { + c.assertEqual(experiments.length, 1) + var experiment = experiments[0] + c.assertEqual(experiment.getCode(), "EXP-1", "Experiment code") + c.assertEqual(experiment.getType().getCode(), "HCS_PLATONIC", "Type code") + c.assertEqual(experiment.getProject().getCode(), "SCREENING-EXAMPLES", "Project code") + c.assertEqual(experiment.getProject().getSpace().getCode(), "PLATONIC", "Space code") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchExperiments() with paging and sorting", function (assert) { + var c = new common(assert, dtos) + + var criteria = new dtos.ExperimentSearchCriteria() + criteria.withOrOperator() + criteria.withCode().thatEquals("EXP-1") + criteria.withCode().thatEquals("EXP-2") + + var fo = c.createExperimentFetchOptions() + + testSearchWithPagingAndSortingByAll( + c, + function (facade: openbis.openbis) { + return facade.searchExperiments(criteria, fo) + }, + fo + ) + }) + + QUnit.test("searchExperiments() with paging and sorting by code", function (assert) { + var c = new common(assert, dtos) + + var criteria = new dtos.ExperimentSearchCriteria() + criteria.withOrOperator() + criteria.withCode().thatContains("EXP") + criteria.withCode().thatContains("-1") + + var fo = c.createExperimentFetchOptions() + + testSearchWithPagingAndStringSorting( + c, + function (facade: openbis.openbis) { + return facade.searchExperiments(criteria, fo) + }, + fo, + "code", + null, + true, + "DEFAULT_EXPERIMENT" + ) + }) + + QUnit.test("searchExperiments() with sorting by identifier", function (assert) { + var c = new common(assert, dtos) + + var criteria = new dtos.ExperimentSearchCriteria() + criteria.withOrOperator() + criteria.withId().thatEquals(new dtos.ExperimentIdentifier("/TEST/TEST-PROJECT/TEST-EXPERIMENT")) + criteria.withId().thatEquals(new dtos.ExperimentIdentifier("/PLATONIC/SCREENING-EXAMPLES/EXP-2")) + + var fo = c.createExperimentFetchOptions() + + testSearchWithPagingAndSorting( + c, + function (facade: openbis.openbis) { + return facade.searchExperiments(criteria, fo) + }, + fo, + "identifier" + ) + }) + + QUnit.test("searchExperiments() with sorting by type", function (assert) { + var c = new common(assert, dtos) + + var criteria = new dtos.ExperimentSearchCriteria() + criteria.withOrOperator() + criteria.withId().thatEquals(new dtos.ExperimentIdentifier("/TEST/TEST-PROJECT/TEST-EXPERIMENT")) + criteria.withId().thatEquals(new dtos.ExperimentIdentifier("/PLATONIC/SCREENING-EXAMPLES/EXP-2")) + + var fo = c.createExperimentFetchOptions() + + testSearchWithPagingAndSorting( + c, + function (facade: openbis.openbis) { + return facade.searchExperiments(criteria, fo) + }, + fo, + "type" + ) + }) + + QUnit.test("searchExperiments() withRegistrator withUserId", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.ExperimentSearchCriteria() + criteria.withRegistrator().withUserId().thatEquals("etlserver") + return facade.searchExperiments(criteria, c.createExperimentFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, experiments: openbis.Experiment[]) { + c.assertObjectsWithValues(experiments, "code", ["TEST-EXPERIMENT"]) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchExperiments() withModifier withUserId", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.ExperimentSearchCriteria() + criteria.withModifier().withUserId().thatEquals("etlserver") + return facade.searchExperiments(criteria, c.createExperimentFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, experiments: openbis.Experiment[]) { + c.assertObjectsWithValues(experiments, "code", ["EXP-1", "EXP-2", "TEST-EXPERIMENT-3"]) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchExperiments() withModifier withUserId negated", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.ExperimentSearchCriteria().withAndOperator() + criteria.withModifier().withUserId().thatEquals("etlserver") + criteria.withSubcriteria().negate().withCode().thatEndsWith("-2") + return facade.searchExperiments(criteria, c.createExperimentFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, experiments: openbis.Experiment[]) { + c.assertObjectsWithValues(experiments, "code", ["EXP-1", "TEST-EXPERIMENT-3"]) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchExperiments() withIdentifier", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.ExperimentSearchCriteria() + criteria.withIdentifier().thatEquals("/TEST/TEST-PROJECT/TEST-EXPERIMENT") + return facade.searchExperiments(criteria, c.createExperimentFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, experiments: openbis.Experiment[]) { + c.assertEqual(experiments.length, 1) + c.assertEqual(experiments[0].getIdentifier(), "/TEST/TEST-PROJECT/TEST-EXPERIMENT") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchExperiments() with nested logical operators", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.ExperimentSearchCriteria().withAndOperator() + + var subCriteria1 = criteria.withSubcriteria().withOrOperator() + subCriteria1.withCode().thatStartsWith("TEST") + subCriteria1.withCode().thatStartsWith("EXP") + + var subCriteria2 = criteria.withSubcriteria().withOrOperator() + subCriteria2.withCode().thatEndsWith("1") + subCriteria2.withCode().thatEndsWith("2") + + return facade.searchExperiments(criteria, c.createExperimentFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, experiments: openbis.Experiment[]) { + var identifiers = c.extractIdentifiers(experiments) + c.assertEqual(identifiers.length, 3) + c.assertEqual( + identifiers.toString(), + "/PLATONIC/SCREENING-EXAMPLES/EXP-1,/PLATONIC/SCREENING-EXAMPLES/EXP-2,/TEST/TEST-PROJECT/TEST-EXPERIMENT-2" + ) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchExperimentTypes() with and operator", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.ExperimentTypeSearchCriteria() + criteria.withAndOperator() + criteria.withCode().thatStartsWith("H") + criteria.withCode().thatContains("SEQUENCING") + var fetchOptions = new dtos.ExperimentTypeFetchOptions() + fetchOptions.withPropertyAssignments().withPropertyType() + return facade.searchExperimentTypes(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, experimentTypes: openbis.ExperimentType[]) { + c.assertEqual(experimentTypes.length, 1, "Number of experiment types") + var type = experimentTypes[0] + c.assertEqual(type.getCode(), "HT_SEQUENCING", "Experiment type code") + c.assertEqual(type.getFetchOptions().hasPropertyAssignments(), true) + c.assertEqual(type.getFetchOptions().withPropertyAssignments().withPropertyType().hasVocabulary(), false) + var assignments = type.getPropertyAssignments() + c.assertEqual(assignments.length, 1, "Number of property assignments") + c.assertEqual(assignments[0].isMandatory(), false, "Mandatory property assignment?") + var propertyType = assignments[0].getPropertyType() + c.assertEqual(propertyType.getCode(), "EXPERIMENT_DESIGN", "Property type code") + c.assertEqual(propertyType.getLabel(), "Experiment Design", "Property type label") + c.assertEqual(propertyType.getDescription(), "", "Property type description") + c.assertEqual(propertyType.getDataType(), "CONTROLLEDVOCABULARY", "Property data type") + c.assertEqual(propertyType.isManagedInternally(), false, "Property type managed internally?") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchExperimentTypes() with or operator", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.ExperimentTypeSearchCriteria() + criteria.withOrOperator() + criteria.withCode().thatStartsWith("H") + criteria.withCode().thatContains("PLATONIC") + var fetchOptions = new dtos.ExperimentTypeFetchOptions() + return facade.searchExperimentTypes(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, experimentTypes: openbis.ExperimentType[]) { + experimentTypes.sort() + c.assertEqual(experimentTypes.toString(), "HCS_PLATONIC,HT_SEQUENCING,MICROSCOPY_PLATONIC", "Experiment types") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchExperimentTypes() with vocabularies", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.ExperimentTypeSearchCriteria() + criteria.withCode().thatStartsWith("HT") + var fetchOptions = new dtos.ExperimentTypeFetchOptions() + fetchOptions.withPropertyAssignments().withPropertyType().withVocabulary() + return facade.searchExperimentTypes(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, experimentTypes: openbis.ExperimentType[]) { + c.assertEqual(experimentTypes.length, 1, "Number of experiment types") + var type = experimentTypes[0] + c.assertEqual(type.getCode(), "HT_SEQUENCING", "Experiment type code") + c.assertEqual(type.getFetchOptions().hasPropertyAssignments(), true) + c.assertEqual(type.getFetchOptions().withPropertyAssignments().withPropertyType().hasVocabulary(), true) + var assignments = type.getPropertyAssignments() + c.assertEqual(assignments.length, 1, "Number of property assignments") + c.assertEqual(assignments[0].isMandatory(), false, "Mandatory property assignment?") + var propertyType = assignments[0].getPropertyType() + c.assertEqual(propertyType.getCode(), "EXPERIMENT_DESIGN", "Property type code") + c.assertEqual(propertyType.getLabel(), "Experiment Design", "Property type label") + c.assertEqual(propertyType.getDescription(), "", "Property type description") + c.assertEqual(propertyType.getDataType(), "CONTROLLEDVOCABULARY", "Property data type") + c.assertEqual(propertyType.getVocabulary().getCode(), "EXPERIMENT_DESIGN", "Vocabulary code") + c.assertEqual(propertyType.isManagedInternally(), false, "Property type managed internally?") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSamples()", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.SampleSearchCriteria() + criteria.withPermId().thatEquals("20130415095748527-404") + return facade.searchSamples(criteria, c.createSampleFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, samples: openbis.Sample[]) { + c.assertEqual(samples.length, 1) + var sample = samples[0] + c.assertEqual(sample.getCode(), "TEST-SAMPLE-2-PARENT", "Sample code") + c.assertEqual(sample.getType().getCode(), "UNKNOWN", "Type code") + c.assertEqual(sample.getExperiment().getCode(), "TEST-EXPERIMENT-2", "Experiment code") + c.assertEqual(sample.getExperiment().getProject().getCode(), "TEST-PROJECT", "Project code") + c.assertEqual(sample.getSpace().getCode(), "TEST", "Space code") + c.assertNotEqual(sample.getChildren(), null, "Children expected") + if (sample.getChildren() !== null) { + console.log("Children %s", sample.getChildren()) + var child = sample.getChildren()[0] + c.assertEqual(sample.getChildren().length, 1, "Number of children") + c.assertEqual(child.getCode(), "TEST-SAMPLE-2", "Child sample code") + c.assertEqual(child.getType().getCode(), "UNKNOWN", "Child type code") + c.assertEqual(child.getExperiment().getCode(), "TEST-EXPERIMENT-2", "Child experiment code") + c.assertNotEqual(child.getChildren(), null, "Grand children expected") + if (child.getChildren() !== null) { + c.assertEqual(child.getChildren().length, 2, "Number of grand children") + } + } + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSamples() with codes", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.SampleSearchCriteria() + criteria.withCodes().thatIn(["TEST-SAMPLE-2-PARENT"]) + return facade.searchSamples(criteria, c.createSampleFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, samples: openbis.Sample[]) { + c.assertEqual(samples.length, 1) + var sample = samples[0] + c.assertEqual(sample.getCode(), "TEST-SAMPLE-2-PARENT", "Sample code") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSamples() with paging and sorting", function (assert) { + var c = new common(assert, dtos) + + var criteria = new dtos.SampleSearchCriteria() + criteria.withOrOperator() + criteria.withCode().thatEquals("TEST-SAMPLE-1") + criteria.withCode().thatEquals("TEST-SAMPLE-2") + + var fo = c.createSampleFetchOptions() + + testSearchWithPagingAndSortingByAll( + c, + function (facade: openbis.openbis) { + return facade.searchSamples(criteria, fo) + }, + fo + ) + }) + + QUnit.test("searchSamples() with paging and sorting by code", function (assert) { + var c = new common(assert, dtos) + + var criteria = new dtos.SampleSearchCriteria() + criteria.withOrOperator() + criteria.withCode().thatContains("TEST-SAMPLE-1") + + var fo = c.createSampleFetchOptions() + + testSearchWithPagingAndSorting( + c, + function (facade: openbis.openbis) { + return facade.searchSamples(criteria, fo) + }, + fo, + "code", + null, + true, + "TEST-SAMPLE-1" + ) + }) + + QUnit.test("searchSamples() withoutSpace", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("SAMPLE") + var waitUntilIndexed = function (facade: openbis.openbis, samplePermId, timeout, action) { + if (timeout < 0) { + c.fail("Sample " + samplePermId + " after " + timeout + " msec.") + } + setTimeout(function () { + c.ok("Wait until " + samplePermId + " indexed. " + timeout) + var criteria = new dtos.SampleSearchCriteria() + criteria.withPermId().thatEquals(samplePermId) + facade.searchSamples(criteria, c.createSampleFetchOptions()).then(function (result) { + if (result.getTotalCount() == 0) { + waitUntilIndexed(facade, samplePermId, timeout - 1000, action) + } else { + action() + } + }) + }, 1000) + } + + c.start() + c.login(facade) + .then(function () { + c.ok("Login") + var creation = new dtos.SampleCreation() + creation.setTypeId(new dtos.EntityTypePermId("UNKNOWN")) + creation.setCode(code) + facade.createSamples([creation]).then(function (permIds) { + var permId = permIds[0] + c.ok("Shared sample created: " + permId) + waitUntilIndexed(facade, permId.getPermId(), 10000, function () { + var criteria = new dtos.SampleSearchCriteria() + criteria.withoutSpace() + facade.searchSamples(criteria, c.createSampleFetchOptions()).then(function (results) { + c.ok("Got results") + var samples = results.getObjects() + c.assertObjectsWithValues(samples, "identifier", ["/" + code]) + c.deleteSample(facade, permId).then(function () { + c.ok("Sample " + permId + " trashed") + c.finish() + }) + }) + }) + }) + }) + .fail(function (error) { + c.fail(error.message) + c.finish() + }) + }) + + QUnit.test("searchSamples() withoutExperiment", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.SampleSearchCriteria() + criteria.withCode().thatStartsWith("TEST-SAMPLE") + criteria.withoutExperiment() + return facade.searchSamples(criteria, c.createSampleFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, samples: openbis.Sample[]) { + c.assertObjectsWithValues(samples, "code", ["TEST-SAMPLE-1-CONTAINED-1", "TEST-SAMPLE-1-CONTAINED-2", "TEST-SAMPLE-1"]) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSamples() withExperiment", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.SampleSearchCriteria() + criteria.withCode().thatStartsWith("TEST-SAMPLE") + criteria.withExperiment() + return facade.searchSamples(criteria, c.createSampleFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, samples: openbis.Sample[]) { + c.assertObjectsWithValues(samples, "code", [ + "TEST-SAMPLE-2-CHILD-2", + "TEST-SAMPLE-2-CHILD-1", + "TEST-SAMPLE-2-PARENT", + "TEST-SAMPLE-2", + ]) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSamples() withoutContainer", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.SampleSearchCriteria() + criteria.withCode().thatStartsWith("TEST-SAMPLE") + criteria.withoutContainer() + return facade.searchSamples(criteria, c.createSampleFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, samples: openbis.Sample[]) { + c.assertObjectsWithValues(samples, "code", [ + "TEST-SAMPLE-2", + "TEST-SAMPLE-1", + "TEST-SAMPLE-2-PARENT", + "TEST-SAMPLE-2-CHILD-1", + "TEST-SAMPLE-2-CHILD-2", + ]) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSamples() withoutContainer negated", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.SampleSearchCriteria().withAndOperator() + criteria.withCode().thatStartsWith("TEST-SAMPLE") + criteria.withoutContainer() + criteria.withSubcriteria().negate().withCode().thatEndsWith("-1") + return facade.searchSamples(criteria, c.createSampleFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, samples: openbis.Sample[]) { + c.assertObjectsWithValues(samples, "code", ["TEST-SAMPLE-2", "TEST-SAMPLE-2-PARENT", "TEST-SAMPLE-2-CHILD-2"]) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSamples() withContainer", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.SampleSearchCriteria() + criteria.withCode().thatStartsWith("TEST-SAMPLE") + criteria.withContainer() + return facade.searchSamples(criteria, c.createSampleFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, samples: openbis.Sample[]) { + c.assertObjectsWithValues(samples, "code", ["TEST-SAMPLE-1-CONTAINED-1", "TEST-SAMPLE-1-CONTAINED-2"]) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSamples() withChildren", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.SampleSearchCriteria() + criteria.withChildren().withCode().thatContains("CHILD") + return facade.searchSamples(criteria, c.createSampleFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, samples: openbis.Sample[]) { + c.assertObjectsWithValues(samples, "code", ["TEST-SAMPLE-2"]) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSamples() withParents", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.SampleSearchCriteria() + criteria.withParents().withCode().thatContains("ARE") + return facade.searchSamples(criteria, c.createSampleFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, samples: openbis.Sample[]) { + c.assertObjectsWithValues(samples, "code", ["TEST-SAMPLE-2"]) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSamples() with sorting by identifier", function (assert) { + var c = new common(assert, dtos) + + var criteria = new dtos.SampleSearchCriteria() + criteria.withOrOperator() + criteria.withId().thatEquals(new dtos.SampleIdentifier("/PLATONIC/SCREENING-EXAMPLES/PLATE-1")) + criteria.withId().thatEquals(new dtos.SampleIdentifier("/TEST/TEST-SAMPLE-1")) + + var fo = c.createSampleFetchOptions() + + testSearchWithPagingAndSorting( + c, + function (facade: openbis.openbis) { + return facade.searchSamples(criteria, fo) + }, + fo, + "identifier" + ) + }) + + QUnit.test("searchSamples() with sorting by type", function (assert) { + var c = new common(assert, dtos) + + var criteria = new dtos.SampleSearchCriteria() + criteria.withOrOperator() + criteria.withId().thatEquals(new dtos.SampleIdentifier("/PLATONIC/SCREENING-EXAMPLES/PLATE-1")) + criteria.withId().thatEquals(new dtos.SampleIdentifier("/TEST/TEST-SAMPLE-1")) + + var fo = c.createSampleFetchOptions() + + testSearchWithPagingAndSorting( + c, + function (facade: openbis.openbis) { + return facade.searchSamples(criteria, fo) + }, + fo, + "type" + ) + }) + + QUnit.test("searchSamples() withRegistrator withUserId", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.SampleSearchCriteria() + criteria.withRegistrator().withUserId().thatEquals("etlserver") + return facade.searchSamples(criteria, c.createSampleFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, samples: openbis.Sample[]) { + c.assertObjectsWithValues(samples, "code", ["TEST-SAMPLE-1", "TEST-SAMPLE-2"]) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSamples() withModifier withUserId", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.SampleSearchCriteria() + criteria.withModifier().withUserId().thatEquals("etlserver") + return facade.searchSamples(criteria, c.createSampleFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, samples: openbis.Sample[]) { + c.assertObjectsWithValues(samples, "code", ["PLATE-1A", "PLATE-2", "SERIES-1"]) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSamples() withIdentifier", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.SampleSearchCriteria() + criteria.withIdentifier().thatEquals("/PLATONIC/SCREENING-EXAMPLES/PLATE-1") + return facade.searchSamples(criteria, c.createSampleFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, samples: openbis.Sample[]) { + c.assertEqual(samples.length, 1) + c.assertEqual(samples[0].getIdentifier(), "/PLATONIC/SCREENING-EXAMPLES/PLATE-1") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSamples() with code that is less than", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.SampleSearchCriteria() + criteria.withCode().thatIsLessThan("A1") + return facade.searchSamples(criteria, c.createSampleFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, samples: openbis.Sample[]) { + var identifiers = c.extractIdentifiers(samples) + c.assertEqual(identifiers.length, 0) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSamples() with code that is less than or equal to", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.SampleSearchCriteria() + criteria.withCode().thatIsLessThanOrEqualTo("PLATE-2:A1") + return facade.searchSamples(criteria, c.createSampleFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, samples: openbis.Sample[]) { + var identifiers = c.extractIdentifiers(samples) + var identifiersString = identifiers.toString() + c.assertTrue(identifiersString.indexOf("/PLATONIC/SCREENING-EXAMPLES/PLATE-1:A1") >= 0) + c.assertTrue(identifiersString.indexOf("/PLATONIC/SCREENING-EXAMPLES/PLATE-2:A1") >= 0) + c.assertTrue(identifiersString.indexOf("/TEST/TEST-PROJECT/PLATE-1A:A1") >= 0) + c.assertTrue(identifiersString.indexOf("/TEST/TEST-PROJECT/PLATE-2:A1") >= 0) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSamples() with code that is greater than", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.SampleSearchCriteria() + criteria.withCode().thatIsGreaterThan("TEST-SAMPLE-2-CHILD-2") + criteria.withCode().thatIsLessThan("V") + return facade.searchSamples(criteria, c.createSampleFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, samples: openbis.Sample[]) { + var identifiers = c.extractIdentifiers(samples) + c.assertEqual(identifiers.length, 2) + c.assertEqual(identifiers.toString(), "/ELN_SETTINGS/STORAGES/TEST_STORAGE,/TEST/TEST-PROJECT/TEST-SAMPLE-2-PARENT") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSamples() with code that is greater than or equal to", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.SampleSearchCriteria() + criteria.withCode().thatIsGreaterThanOrEqualTo("TEST-SAMPLE-2-CHILD-2") + criteria.withCode().thatIsLessThan("V") + return facade.searchSamples(criteria, c.createSampleFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, samples: openbis.Sample[]) { + var identifiers = c.extractIdentifiers(samples) + c.assertEqual(identifiers.length, 3) + c.assertEqual( + identifiers.toString(), + "/ELN_SETTINGS/STORAGES/TEST_STORAGE,/TEST/TEST-PROJECT/TEST-SAMPLE-2-CHILD-2,/TEST/TEST-PROJECT/TEST-SAMPLE-2-PARENT" + ) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSamples() with nested logical operators", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.SampleSearchCriteria().withAndOperator() + + var subCriteria1 = criteria.withSubcriteria().withOrOperator() + subCriteria1.withIdentifier().thatStartsWith("/PLATONIC/SCREENING-EXAMPLES/PLATE-1") + subCriteria1.withIdentifier().thatStartsWith("/TEST/TEST-PROJECT/PLATE-2") + + var subCriteria2 = criteria.withSubcriteria().withOrOperator() + subCriteria2.withIdentifier().thatEndsWith(":A1") + subCriteria2.withIdentifier().thatEndsWith(":A2") + + return facade.searchSamples(criteria, c.createSampleFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, samples: openbis.Sample[]) { + var identifiers = c.extractIdentifiers(samples) + c.assertEqual(identifiers.length, 4) + c.assertEqual( + identifiers.toString(), + "/PLATONIC/SCREENING-EXAMPLES/PLATE-1:A1,/PLATONIC/SCREENING-EXAMPLES/PLATE-1:A2,/TEST/TEST-PROJECT/PLATE-2:A1,/TEST/TEST-PROJECT/PLATE-2:A2" + ) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSampleTypes()", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.SampleTypeSearchCriteria() + criteria.withCode().thatStartsWith("MA") + + var fetchOptions = new dtos.SampleTypeFetchOptions() + + var assignmentFetchOptions = fetchOptions.withPropertyAssignments() + assignmentFetchOptions.withRegistrator() + assignmentFetchOptions.sortBy().label().desc() + + var propertyTypeFetchOptions = assignmentFetchOptions.withPropertyType() + propertyTypeFetchOptions.withVocabulary() + propertyTypeFetchOptions.withMaterialType() + propertyTypeFetchOptions.withRegistrator() + + return facade.searchSampleTypes(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, sampleTypes: openbis.SampleType[]) { + c.assertEqual(sampleTypes.length, 1, "Number of sample types") + var type = sampleTypes[0] + c.assertEqual(type.getCode(), "MASTER_SAMPLE", "Sample type code") + c.assertEqual(type.getFetchOptions().hasPropertyAssignments(), true) + var assignments = type.getPropertyAssignments() + c.assertEqual(assignments.length, 8, "Number of property assignments") + + var assignment = assignments[0] + c.assertEqual(assignment.isMandatory(), true, "Mandatory property assignment?") + c.assertEqual(assignment.getOrdinal(), 22, "Ordinal") + c.assertEqual(assignment.getSection(), null, "Section") + c.assertEqual(assignment.isShowInEditView(), true, "Show in edit view") + c.assertEqual(assignment.isShowRawValueInForms(), false, "Show raw value in forms") + c.assertDate(assignment.getRegistrationDate(), "Registration date", 2013, 4, 12, 8, 4) + c.assertEqual(assignment.getRegistrator().getUserId(), "system", "Registrator user id") + + var propertyType = assignment.getPropertyType() + c.assertEqual(propertyType.getCode(), "SAMPLE_KIND", "Property type code") + c.assertEqual(propertyType.getLabel(), "Sample Kind", "Property type label") + c.assertEqual(propertyType.getDescription(), "", "Property type description") + c.assertEqual(propertyType.getDataType(), "CONTROLLEDVOCABULARY", "Property data type") + c.assertEqual(propertyType.isManagedInternally(), false, "Property type managed internally?") + c.assertEqual(propertyType.isManagedInternally(), false, "Property type managed internally?") + c.assertEqual(propertyType.getVocabulary().getCode(), "SAMPLE_TYPE", "Property type vocabulary code") + c.assertEqual(propertyType.getMaterialType(), null, "Property type vocabulary code") + c.assertEqual(propertyType.getSchema(), null, "Property type schema") + c.assertEqual(propertyType.getTransformation(), null, "Property type transformation") + c.assertEqual(propertyType.getRegistrator().getUserId(), "system", "Registrator user id") + c.assertDate(propertyType.getRegistrationDate(), "Registration date", 2013, 4, 12, 8, 4) + + c.assertEqual(assignments[1].getPropertyType().getCode(), "NCBI_ORGANISM_TAXONOMY", "Second property type code") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSampleTypes() with and operator", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.SampleTypeSearchCriteria() + criteria.withAndOperator() + criteria.withCode().thatStartsWith("ILL") + criteria.withCode().thatEndsWith("LL") + var fetchOptions = new dtos.SampleTypeFetchOptions() + return facade.searchSampleTypes(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, sampleTypes: openbis.SampleType[]) { + c.assertEqual(sampleTypes.toString(), "ILLUMINA_FLOW_CELL", "Sample types") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSampleTypes() with or operator", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.SampleTypeSearchCriteria() + criteria.withOrOperator() + criteria.withCode().thatStartsWith("ILL") + criteria.withCode().thatEndsWith("LL") + var fetchOptions = new dtos.SampleTypeFetchOptions() + return facade.searchSampleTypes(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, sampleTypes: openbis.SampleType[]) { + sampleTypes.sort() + c.assertEqual(sampleTypes.toString(), "CONTROL_WELL,ILLUMINA_FLOW_CELL,ILLUMINA_FLOW_LANE,SIRNA_WELL", "Sample types") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSampleTypes() withSemanticAnnotations", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.SampleTypeSearchCriteria() + criteria.withSemanticAnnotations().withPermId().thatEquals("ST_SIRNA_WELL") + var fetchOptions = new dtos.SampleTypeFetchOptions() + return facade.searchSampleTypes(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, sampleTypes: openbis.SampleType[]) { + c.assertEqual(sampleTypes.length, 1, "Number of sample types") + c.assertEqual(sampleTypes[0].getCode(), "SIRNA_WELL", "Sample type code") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSampleTypes() withPropertyAssignments withSemanticAnnotations", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.SampleTypeSearchCriteria() + criteria.withPropertyAssignments().withSemanticAnnotations().withPermId().thatEquals("ST_ILLUMINA_FLOW_CELL_PT_CREATED_ON_CS") + var fetchOptions = new dtos.SampleTypeFetchOptions() + return facade.searchSampleTypes(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, sampleTypes: openbis.SampleType[]) { + c.assertEqual(sampleTypes.length, 1, "Number of sample types") + c.assertEqual(sampleTypes[0].getCode(), "ILLUMINA_FLOW_CELL", "Sample type code") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSampleTypes() withPropertyAssignments withPropertyType withSemanticAnnotations", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.SampleTypeSearchCriteria() + criteria.withPropertyAssignments().withPropertyType().withSemanticAnnotations().withPermId().thatEquals("PT_AGILENT_KIT") + var fetchOptions = new dtos.SampleTypeFetchOptions() + return facade.searchSampleTypes(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, sampleTypes: openbis.SampleType[]) { + c.assertEqual(sampleTypes.length, 2, "Number of sample types") + c.assertObjectsWithValues(sampleTypes, "code", ["LIBRARY", "LIBRARY_POOL"]) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchDataSets()", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.DataSetSearchCriteria() + criteria.withPermId().thatEquals("20130415093804724-403") + return facade.searchDataSets(criteria, c.createDataSetFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, dataSets: openbis.DataSet[]) { + c.assertEqual(dataSets.length, 1) + var dataSet = dataSets[0] + c.assertEqual(dataSet.getCode(), "20130415093804724-403", "Code") + c.assertEqual(dataSet.getType().getCode(), "UNKNOWN", "Type code") + c.assertEqual(dataSet.getExperiment().getCode(), "TEST-EXPERIMENT-2", "Experiment code") + c.assertEqual(dataSet.getSample().getCode(), "TEST-SAMPLE-2", "Sample code") + c.assertEqual(dataSet.getProperties()["DESCRIPTION"], "403 description", "Property DESCRIPTION") + c.assertEqual(dataSet.isPostRegistered(), true, "post registered") + + var physicalData = dataSet.getPhysicalData() + c.assertEqual(physicalData.getShareId(), "1", "Share id") + c.assertEqual(physicalData.getLocation(), "1FD3FF61-1576-4908-AE3D-296E60B4CE06/06/e5/ad/20130415093804724-403", "Location") + c.assertEqual(physicalData.getStatus(), "AVAILABLE", "Status") + c.assertEqual(physicalData.getFileFormatType().getCode(), "PROPRIETARY", "File format type") + c.assertEqual(physicalData.getLocatorType().getCode(), "RELATIVE_LOCATION", "Locator type") + + c.assertObjectsWithValues(dataSet.getParents(), "code", ["20130415100158230-407"]) + c.assertObjectsWithValues(dataSet.getChildren(), "code", ["20130415100238098-408", "20130415100308111-409"]) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchDataSets() with codes", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.DataSetSearchCriteria() + criteria.withCodes().thatIn(["20130412142543232-197"]) + return facade.searchDataSets(criteria, c.createDataSetFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, dataSets: openbis.DataSet[]) { + c.assertEqual(dataSets.length, 1) + var dataSet = dataSets[0] + c.assertEqual(dataSet.getCode(), "20130412142543232-197", "Code") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchDataSets() with paging and sorting", function (assert) { + var c = new common(assert, dtos) + + var criteria = new dtos.DataSetSearchCriteria() + criteria.withOrOperator() + criteria.withCode().thatEquals("20130412142205843-196") + criteria.withCode().thatEquals("20130412142543232-197") + + var fo = c.createDataSetFetchOptions() + + testSearchWithPagingAndSortingByAll( + c, + function (facade: openbis.openbis) { + return facade.searchDataSets(criteria, fo) + }, + fo + ) + }) + + QUnit.test("searchDataSets() with sorting by property", function (assert) { + var c = new common(assert, dtos) + + var criteria = new dtos.DataSetSearchCriteria() + criteria.withOrOperator() + criteria.withPermId().thatEquals("20130412142543232-197") + criteria.withPermId().thatEquals("20130412142205843-196") + criteria.withPermId().thatEquals("20130412142942295-198") + + var fo = c.createDataSetFetchOptions() + + testSearchWithPagingAndStringSorting( + c, + function (facade: openbis.openbis) { + return facade.searchDataSets(criteria, fo) + }, + fo, + "property", + "$RESOLUTION" + ) + }) + + QUnit.test("searchDataSets() with sorting by type", function (assert) { + var c = new common(assert, dtos) + + var criteria = new dtos.DataSetSearchCriteria() + criteria.withOrOperator() + criteria.withPermId().thatEquals("20130412142543232-197") + criteria.withPermId().thatEquals("20130412143121081-200") + + var fo = c.createDataSetFetchOptions() + + testSearchWithPagingAndSorting( + c, + function (facade: openbis.openbis) { + return facade.searchDataSets(criteria, fo) + }, + fo, + "type" + ) + }) + + QUnit.test("searchDataSets() withoutSample", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.DataSetSearchCriteria() + criteria.withCode().thatContains("-40") + criteria.withoutSample() + return facade.searchDataSets(criteria, c.createDataSetFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, dataSets: openbis.DataSet[]) { + c.assertObjectsWithValues(dataSets, "code", ["20130415100158230-407", "20130415100308111-409"]) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchDataSets() withSample", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.DataSetSearchCriteria() + criteria.withCode().thatContains("-40") + criteria.withSample() + return facade.searchDataSets(criteria, c.createDataSetFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, dataSets: openbis.DataSet[]) { + c.assertObjectsWithValues(dataSets, "code", ["20130415093804724-403", "20130415100238098-408"]) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchDataSets() withSample negated", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.DataSetSearchCriteria().withAndOperator() + criteria.withCode().thatContains("-40") + criteria.withSample() + criteria.withSubcriteria().negate().withCode().thatEndsWith("8") + return facade.searchDataSets(criteria, c.createDataSetFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, dataSets: openbis.DataSet[]) { + c.assertObjectsWithValues(dataSets, "code", ["20130415093804724-403"]) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchDataSets() withSampleWithWildcardsEnabled", function (assert) { + var c = new common(assert, dtos) + + var fSearch2 = function (facade: openbis.openbis) { + var criteria = new dtos.DataSetSearchCriteria() + criteria.withCode().withWildcards().thatEquals("*-40?") + criteria.withSample() + return facade.searchDataSets(criteria, c.createDataSetFetchOptions()) + } + + var fCheck2 = function (facade: openbis.openbis, dataSets: openbis.DataSet[]) { + c.assertObjectsWithValues(dataSets, "code", ["20130415093804724-403", "20130415100238098-408"]) + } + + testSearch(c, fSearch2, fCheck2) + }) + + QUnit.test("searchDataSets() withSampleWithWildcardsDisabled", function (assert) { + var c = new common(assert, dtos) + + var fSearch1 = function (facade: openbis.openbis) { + var criteria = new dtos.DataSetSearchCriteria() + criteria.withCode().withoutWildcards().thatEquals("*-40?") + criteria.withSample() + return facade.searchDataSets(criteria, c.createDataSetFetchOptions()) + } + + var fCheck1 = function (facade: openbis.openbis, dataSets: openbis.DataSet[]) { + c.assertObjectsWithValues(dataSets, "code", []) + } + + testSearch(c, fSearch1, fCheck1) + }) + + QUnit.test("searchDataSets() withoutExperiment", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.DataSetSearchCriteria() + criteria.withCode().thatContains("-40") + criteria.withoutExperiment() + return facade.searchDataSets(criteria, c.createDataSetFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, dataSets: openbis.DataSet[]) { + c.assertObjectsWithValues(dataSets, "code", ["20130415100238098-408"]) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchDataSets() withExperiment", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.DataSetSearchCriteria() + criteria.withCode().thatContains("-40") + criteria.withExperiment() + return facade.searchDataSets(criteria, c.createDataSetFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, dataSets: openbis.DataSet[]) { + c.assertObjectsWithValues(dataSets, "code", ["20130415093804724-403", "20130415100158230-407", "20130415100308111-409"]) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchDataSets() withChildren", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.DataSetSearchCriteria() + criteria.withChildren().withCode().thatEquals("20130415100238098-408") + return facade.searchDataSets(criteria, c.createDataSetFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, dataSets: openbis.DataSet[]) { + c.assertObjectsWithValues(dataSets, "code", ["20130415093804724-403"]) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchDataSets() withParents", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.DataSetSearchCriteria() + criteria.withParents().withCode().thatEquals("20130415100158230-407") + return facade.searchDataSets(criteria, c.createDataSetFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, dataSets: openbis.DataSet[]) { + c.assertObjectsWithValues(dataSets, "code", ["20130415093804724-403"]) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchDataSets() withContainer", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.DataSetSearchCriteria() + criteria.withContainer().withCode().thatEquals("20130412153119864-385") + return facade.searchDataSets(criteria, c.createDataSetFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, dataSets: openbis.DataSet[]) { + c.assertObjectsWithValues(dataSets, "code", ["20130412153118625-384"]) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchDataSets() withPhysicalData", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.DataSetSearchCriteria() + var pdCriteria = criteria.withPhysicalData() + pdCriteria.withLocation().thatEquals('"1FD3FF61-1576-4908-AE3D-296E60B4CE06/2e/ac/5a/20130412153118625-384"') + pdCriteria.withStorageFormat().withCode().thatContains("PROPRIETARY") + pdCriteria.withFileFormatType().withCode().thatContains("UNKNOWN") + pdCriteria.withLocatorType().withCode().thatContains("RELATIVE_LOCATION") + pdCriteria.withComplete().thatEquals("YES") + pdCriteria.withStatus().thatEquals("AVAILABLE") + pdCriteria.withPresentInArchive().thatEquals(false) + pdCriteria.withStorageConfirmation().thatEquals(true) + pdCriteria.withSpeedHint().thatEquals(-50) + + return facade.searchDataSets(criteria, c.createDataSetFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, dataSets: openbis.DataSet[]) { + c.assertObjectsWithValues(dataSets, "code", ["20130412153118625-384"]) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchDataSets() withPhysicalData with archiving requested", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.DataSetSearchCriteria() + criteria.withCode().thatStartsWith("2013") + var pdCriteria = criteria.withPhysicalData() + pdCriteria.withArchivingRequested().thatEquals(true) + + return facade.searchDataSets(criteria, c.createDataSetFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, dataSets: openbis.DataSet[]) { + c.assertObjectsWithValues(dataSets, "code", ["20130412152036861-380"]) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchDataSets() withLinkedData", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.DataSetSearchCriteria() + var ldCriteria = criteria.withLinkedData() + ldCriteria.withExternalDms().withCode().thatEquals("DMS_1") + + return facade.searchDataSets(criteria, c.createDataSetFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, dataSets: openbis.DataSet[]) { + c.assertObjectsWithValues(dataSets, "code", ["20160613195437233-437"]) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchDataSets() withRegistrator withUserId", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.DataSetSearchCriteria() + criteria.withRegistrator().withUserId().thatEquals("selenium") + return facade.searchDataSets(criteria, c.createDataSetFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, dataSets: openbis.DataSet[]) { + c.assertObjectsWithValues(dataSets, "code", ["20130417094936021-428", "20130417094934693-427"]) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchDataSets() withModifier withUserId", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.DataSetSearchCriteria() + criteria.withModifier().withUserId().thatEquals("selenium") + return facade.searchDataSets(criteria, c.createDataSetFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, dataSets: openbis.DataSet[]) { + c.assertObjectsWithValues(dataSets, "code", ["20130412143121081-200", "20130412153119864-385"]) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchDataSets() with nested logical operators", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.DataSetSearchCriteria().withAndOperator() + + var subCriteria1 = criteria.withSubcriteria().withOrOperator() + subCriteria1.withCode().thatStartsWith("2016") + subCriteria1.withCode().thatStartsWith("2013") + + var subCriteria2 = criteria.withSubcriteria().withOrOperator() + subCriteria2.withCode().thatEndsWith("1") + subCriteria2.withCode().thatEndsWith("7") + + return facade.searchDataSets(criteria, c.createDataSetFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, dataSets: openbis.DataSet[]) { + var codes = c.extractCodes(dataSets) + c.assertEqual(codes.length, 7) + c.assertEqual( + codes.toString(), + "20130412142543232-197,20130412152038345-381,20130412153659994-391,20130415100158230-407,20130417094934693-427,20130424111751432-431,20160613195437233-437" + ) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchDataSetTypes()", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.DataSetTypeSearchCriteria() + criteria.withCode().thatStartsWith("MA") + var fetchOptions = new dtos.DataSetTypeFetchOptions() + fetchOptions.withPropertyAssignments().sortBy().code().asc() + return facade.searchDataSetTypes(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, dataSetTypes: openbis.DataSetType[]) { + c.assertEqual(dataSetTypes.length, 1, "Number of data set types") + var type = dataSetTypes[0] + c.assertEqual(type.getCode(), "MACS_OUTPUT", "Data set type code") + c.assertEqual(type.getFetchOptions().hasPropertyAssignments(), true) + var assignments = type.getPropertyAssignments() + c.assertEqual(assignments.length, 2, "Number of property assignments") + c.assertEqual(assignments[0].isMandatory(), false, "Mandatory property assignment?") + var propertyType = assignments[0].getPropertyType() + c.assertEqual(propertyType.getCode(), "MACS_VERSION", "Property type code") + c.assertEqual(propertyType.getLabel(), "MACS VERSION", "Property type label") + c.assertEqual(propertyType.getDescription(), "", "Property type description") + c.assertEqual(propertyType.getDataType(), "CONTROLLEDVOCABULARY", "Property data type") + c.assertEqual(propertyType.isManagedInternally(), false, "Property type managed internally?") + c.assertEqual(assignments[1].getPropertyType().getCode(), "NOTES", "Second property type code") + c.assertEqual(assignments[1].getPropertyType().getDataType(), "MULTILINE_VARCHAR", "Second property data type") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchDataSetTypes() with and operator", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.DataSetTypeSearchCriteria() + criteria.withAndOperator() + criteria.withCode().thatStartsWith("T") + criteria.withCode().thatContains("V") + var fetchOptions = new dtos.DataSetTypeFetchOptions() + return facade.searchDataSetTypes(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, dataSetTypes: openbis.DataSetType[]) { + c.assertEqual(dataSetTypes.toString(), "TSV", "Data set types") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchDataSetTypes() with or operator", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.DataSetTypeSearchCriteria() + criteria.withOrOperator() + criteria.withCode().thatStartsWith("T") + criteria.withCode().thatContains("RV") + var fetchOptions = new dtos.DataSetTypeFetchOptions() + return facade.searchDataSetTypes(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, dataSetTypes: openbis.DataSetType[]) { + dataSetTypes.sort() + c.assertEqual(dataSetTypes.toString(), "HCS_IMAGE_OVERVIEW,MICROSCOPY_IMG_OVERVIEW,THUMBNAILS,TSV", "Data set types") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchMaterials()", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.MaterialSearchCriteria() + criteria.withCode().thatEquals("H2O") + return facade.searchMaterials(criteria, c.createMaterialFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, materials: openbis.Material[]) { + c.assertEqual(materials.length, 1) + var material = materials[0] + c.assertEqual(material.getCode(), "H2O", "Code") + c.assertEqual(material.getType().getCode(), "COMPOUND", "Type code") + var properties = material.getProperties() + c.assertEqual(Object.keys(properties), "DESCRIPTION", "Water") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchMaterials() with codes", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.MaterialSearchCriteria() + criteria.withCodes().thatIn(["H2O"]) + return facade.searchMaterials(criteria, c.createMaterialFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, materials: openbis.Material[]) { + c.assertEqual(materials.length, 1) + var material = materials[0] + c.assertEqual(material.getCode(), "H2O", "Code") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchMaterials() with paging and sorting", function (assert) { + var c = new common(assert, dtos) + + var criteria = new dtos.MaterialSearchCriteria() + criteria.withOrOperator() + criteria.withCode().thatEquals("ABC") + criteria.withCode().thatEquals("SIRNA-2") + + var fo = c.createMaterialFetchOptions() + + testSearchWithPagingAndSortingByAll( + c, + function (facade: openbis.openbis) { + return facade.searchMaterials(criteria, fo) + }, + fo + ) + }) + + QUnit.test("searchMaterials() with paging and sorting by code", function (assert) { + var c = new common(assert, dtos) + + var criteria = new dtos.MaterialSearchCriteria() + criteria.withOrOperator() + criteria.withCode().thatContains("SIRNA") + criteria.withCode().thatContains("A-2") + + var fo = c.createMaterialFetchOptions() + + testSearchWithPagingAndSorting( + c, + function (facade: openbis.openbis) { + return facade.searchMaterials(criteria, fo) + }, + fo, + "code", + null, + true, + "SIRNA-1" + ) + }) + + QUnit.test("searchMaterials() with sorting by type", function (assert) { + var c = new common(assert, dtos) + + var criteria = new dtos.MaterialSearchCriteria() + criteria.withOrOperator() + criteria.withCode().thatEquals("ABC") + criteria.withCode().thatEquals("SIRNA-2") + + var fo = c.createMaterialFetchOptions() + + testSearchWithPagingAndSorting( + c, + function (facade: openbis.openbis) { + return facade.searchMaterials(criteria, fo) + }, + fo, + "type" + ) + }) + + QUnit.test("searchMaterials() withRegistrator withUserId", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.MaterialSearchCriteria() + criteria.withRegistrator().withUserId().thatEquals("etlserver") + return facade.searchMaterials(criteria, c.createMaterialFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, materials: openbis.Material[]) { + c.assertObjectsWithValues(materials, "code", ["SIRNA-3", "SIRNA-4"]) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchMaterials() withRegistrator withUserId negated", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.MaterialSearchCriteria().withAndOperator() + criteria.withRegistrator().withUserId().thatEquals("etlserver") + criteria.withSubcriteria().negate().withCode().thatEndsWith("4") + return facade.searchMaterials(criteria, c.createMaterialFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, materials: openbis.Material[]) { + c.assertObjectsWithValues(materials, "code", ["SIRNA-3"]) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchMaterials() withModifier withUserId", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.MaterialSearchCriteria() + criteria.withModifier().withUserId().thatEquals("etlserver") + return facade.searchMaterials(criteria, c.createMaterialFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, materials: openbis.Material[]) { + // search by a modifier not supported yet + c.assertObjectsWithValues(materials, "code", []) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchMaterialTypes()", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.MaterialTypeSearchCriteria() + criteria.withCode().thatStartsWith("G") + var fetchOptions = new dtos.MaterialTypeFetchOptions() + fetchOptions.withPropertyAssignments().sortBy().code().desc() + return facade.searchMaterialTypes(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, materialTypes: openbis.MaterialType[]) { + c.assertEqual(materialTypes.length, 1, "Number of material types") + var type = materialTypes[0] + c.assertEqual(type.getCode(), "GENE", "Material type code") + c.assertEqual(type.getFetchOptions().hasPropertyAssignments(), true) + var assignments = type.getPropertyAssignments() + c.assertEqual(assignments.length, 2, "Number of property assignments") + c.assertEqual(assignments[0].isMandatory(), false, "Mandatory property assignment?") + var propertyType = assignments[0].getPropertyType() + c.assertEqual(propertyType.getCode(), "GENE_SYMBOLS", "Property type code") + c.assertEqual(propertyType.getLabel(), "Gene symbols", "Property type label") + c.assertEqual(propertyType.getDescription(), "", "Property type description") + c.assertEqual(propertyType.getDataType(), "VARCHAR", "Property data type") + c.assertEqual(propertyType.isManagedInternally(), false, "Property type managed internally?") + c.assertEqual(assignments[1].getPropertyType().getCode(), "DESCRIPTION", "Second property type code") + c.assertEqual(assignments[1].getPropertyType().getDescription(), "A Description", "Second property type description") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchMaterialTypes() with and operator", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.MaterialTypeSearchCriteria() + criteria.withAndOperator() + criteria.withCode().thatStartsWith("C") + criteria.withCode().thatContains("R") + var fetchOptions = new dtos.MaterialTypeFetchOptions() + return facade.searchMaterialTypes(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, materialTypes: openbis.MaterialType[]) { + c.assertEqual(materialTypes.toString(), "CONTROL", "Material types") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchMaterialTypes() with or operator", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.MaterialTypeSearchCriteria() + criteria.withOrOperator() + criteria.withCode().thatStartsWith("C") + criteria.withCode().thatContains("IR") + var fetchOptions = new dtos.MaterialTypeFetchOptions() + return facade.searchMaterialTypes(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, materialTypes: openbis.MaterialType[]) { + materialTypes.sort() + c.assertEqual(materialTypes.toString(), "COMPOUND,CONTROL,SIRNA", "Material types") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchGlobally() withText thatContains", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.GlobalSearchCriteria() + criteria.withOrOperator() + criteria.withText().thatContains("20130412150049446-204 20130412140147735-20 20130417094936021-428 H2O") + var fo = c.createGlobalSearchObjectFetchOptions() + fo.withMatch() + return facade.searchGlobally(criteria, fo) + } + + var fCheck = function (facade: openbis.openbis, objects: openbis.GlobalSearchObject[]) { + objects = objects.filter((o) => o.getObjectIdentifier().toString().search("V3") < 0) + c.assertEqual(objects.length, 4) + var prepopulatedExperimentsCount = 0 + var prepopulatedSamplesCount = 0 + for (var oIdx = 0; oIdx < objects.length; oIdx++) { + var result = objects[oIdx] + var match = result.getMatch() + switch (result.getObjectKind()) { + case "DATA_SET": + var dataSetPermId = (<openbis.DataSetPermId>result.getObjectPermId()).getPermId() + var dataSetIdentifier = (<openbis.DataSetPermId>result.getObjectIdentifier()).getPermId() + + c.assertTrue( + dataSetPermId === "20130417094936021-428" || dataSetPermId.startsWith("V3_DATA_SET_"), + "DataSetPermId (" + dataSetPermId + ")" + ) + c.assertEqual(dataSetIdentifier, dataSetPermId, "ObjectIdentifier") + c.assertTrue( + match === "Perm ID: " + dataSetPermId || match === "Property 'Test Property Type': 20130412140147735-20", + "Match (case DATA_SET). Actual value: " + match + ) + c.assertNotNull(result.getScore(), "Score (case DATA_SET)") + c.assertNull(result.getExperiment(), "Experiment (case DATA_SET)") + c.assertNull(result.getSample(), "Sample (case DATA_SET)") + c.assertEqual(result.getDataSet().getCode(), dataSetPermId, "DataSet (case DATA_SET)") + c.assertNull(result.getMaterial(), "Material (case DATA_SET)") + break + case "EXPERIMENT": + var experimentPermId = (<openbis.ExperimentPermId>result.getObjectPermId()).getPermId() + var experimentIdentifier = (<openbis.ExperimentIdentifier>result.getObjectIdentifier()).getIdentifier() + + if (experimentPermId === "20130412150049446-204") { + prepopulatedExperimentsCount++ + } + + c.assertTrue( + experimentIdentifier === "/TEST/TEST-PROJECT/TEST-EXPERIMENT" || + experimentIdentifier.startsWith("/TEST/TEST-PROJECT/V3_EXPERIMENT_"), + "ObjectIdentifier" + ) + c.assertTrue( + match === "Perm ID: " + experimentPermId || match === "Property 'Test Property Type': 20130412140147735-20", + "Match (case EXPERIMENT). Actual value: " + match + ) + c.assertNotNull(result.getScore(), "Score (case EXPERIMENT)") + c.assertTrue( + result.getExperiment().getCode() === "TEST-EXPERIMENT" || + result.getExperiment().getCode().startsWith("V3_EXPERIMENT_"), + "Experiment (case EXPERIMENT)" + ) + c.assertNull(result.getSample(), "Sample (case EXPERIMENT)") + c.assertNull(result.getDataSet(), "DataSet (case EXPERIMENT)") + c.assertNull(result.getMaterial(), "Material (case EXPERIMENT)") + break + case "SAMPLE": + var samplePermId = (<openbis.SamplePermId>result.getObjectPermId()).getPermId() + var sampleIdentifier = (<openbis.SampleIdentifier>result.getObjectIdentifier()).getIdentifier() + + if (samplePermId === "20130412140147735-20") { + prepopulatedSamplesCount++ + } + + c.assertTrue( + sampleIdentifier === "/PLATONIC/SCREENING-EXAMPLES/PLATE-1" || + sampleIdentifier.startsWith("/TEST/TEST-PROJECT/V3_SAMPLE_"), + "ObjectIdentifier" + ) + c.assertTrue( + match === "Perm ID: " + samplePermId || match === "Property 'Test Property Type': 20130412140147735-20", + "Match (case SAMPLE). Actual value: " + match + ) + c.assertNotNull(result.getScore(), "Score (case SAMPLE)") + c.assertNull(result.getExperiment(), "Experiment (case SAMPLE)") + c.assertTrue( + result.getSample().getCode() === "PLATE-1" || result.getSample().getCode().startsWith("V3_SAMPLE_"), + "Sample (case SAMPLE)" + ) + c.assertNull(result.getDataSet(), "DataSet (case SAMPLE)") + c.assertNull(result.getMaterial(), "Material (case SAMPLE)") + break + case "MATERIAL": + var materialPermId = <openbis.MaterialPermId>result.getObjectPermId() + var materialIdentifier = <openbis.MaterialPermId>result.getObjectIdentifier() + + c.assertEqual(materialPermId.getCode(), "H2O", "ObjectPermId 1 (case MATERIAL)") + c.assertEqual(materialPermId.getTypeCode(), "COMPOUND", "ObjectPermId 2 (case MATERIAL)") + c.assertEqual(materialIdentifier.getCode(), "H2O", "ObjectIdentifier 1 (case MATERIAL)") + c.assertEqual(materialIdentifier.getTypeCode(), "COMPOUND", "ObjectIdentifier 2 (case MATERIAL)") + c.assertEqual(match, "Identifier: H2O (COMPOUND)", "Match (case MATERIAL)") + c.assertNotNull(result.getScore(), "Score (case MATERIAL)") + c.assertNull(result.getExperiment(), "Experiment (case MATERIAL)") + c.assertNull(result.getSample(), "Sample (case MATERIAL)") + c.assertNull(result.getDataSet(), "DataSet (case MATERIAL)") + c.assertEqual(result.getMaterial().getCode(), "H2O", "Material (case MATERIAL)") + break + } + } + c.assertEqual(prepopulatedExperimentsCount, 1, "ExperimentPermId") + c.assertEqual(prepopulatedSamplesCount, 1, "SamplePermId") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchGlobally() withText thatContainsExactly", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.GlobalSearchCriteria() + criteria.withOrOperator() + criteria.withText().thatContainsExactly("407 description") + var fo = c.createGlobalSearchObjectFetchOptions() + fo.withMatch() + return facade.searchGlobally(criteria, fo) + } + + var fCheck = function (facade: openbis.openbis, objects: openbis.GlobalSearchObject[]) { + objects = objects.filter((o) => o.getObjectIdentifier().toString().search("V3") < 0) + c.assertEqual(objects.length, 1) + + var object0 = objects[0] + var objectPermId = <openbis.DataSetPermId>object0.getObjectPermId() + var objectIdentifier = <openbis.DataSetPermId>object0.getObjectIdentifier() + + c.assertEqual(object0.getObjectKind(), "DATA_SET", "ObjectKind") + c.assertEqual(objectPermId.getPermId(), "20130415100158230-407", "ObjectPermId") + c.assertEqual(objectIdentifier.getPermId(), "20130415100158230-407", "ObjectIdentifier") + // c.assertEqual(object0.getMatch(), "Property 'Description': 407 description", "Match"); + c.assertNotNull(object0.getScore(), "Score") + c.assertNull(object0.getExperiment(), "Experiment") + c.assertNull(object0.getSample(), "Sample") + c.assertEqual(object0.getDataSet().getCode(), "20130415100158230-407", "DataSet") + c.assertNull(object0.getMaterial(), "Material") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchGlobally() withObjectKind thatIn", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.GlobalSearchCriteria() + criteria.withOrOperator() + criteria.withText().thatContains("20130412150049446-204 20130412140147735-20 20130417094936021-428 H2O") + criteria.withObjectKind().thatIn(["EXPERIMENT"]) + var fo = c.createGlobalSearchObjectFetchOptions() + fo.withMatch() + return facade.searchGlobally(criteria, fo) + } + + var fCheck = function (facade: openbis.openbis, objects: openbis.GlobalSearchObject[]) { + objects = objects.filter((o) => o.getObjectIdentifier().toString().search("V3") < 0) + c.assertEqual(objects.length, 1) + + var prepopulatedExperimentsCount = 0 + for (var i = 0; i < objects.length; i++) { + var objectExperiment = objects[i] + + c.assertEqual(objectExperiment.getObjectKind(), "EXPERIMENT", "ObjectKind") + + var experimentPermId = (<openbis.ExperimentPermId>objectExperiment.getObjectPermId()).getPermId() + var experimentIdentifier = (<openbis.ExperimentIdentifier>objectExperiment.getObjectIdentifier()).getIdentifier() + + if (experimentPermId === "20130412150049446-204") { + prepopulatedExperimentsCount++ + } + + c.assertTrue( + experimentIdentifier === "/TEST/TEST-PROJECT/TEST-EXPERIMENT" || + experimentIdentifier.startsWith("/TEST/TEST-PROJECT/V3_EXPERIMENT_"), + "ObjectIdentifier" + ) + + var match = objectExperiment.getMatch() + + c.assertTrue( + match === "Perm ID: " + experimentPermId || match === "Property 'Test Property Type': 20130412140147735-20", + "Match. Actual value: " + match + ) + c.assertNotNull(objectExperiment.getScore(), "Score") + c.assertTrue( + objectExperiment.getExperiment().getCode() === "TEST-EXPERIMENT" || + objectExperiment.getExperiment().getCode().startsWith("V3_EXPERIMENT_"), + "Experiment" + ) + c.assertNull(objectExperiment.getSample(), "Sample") + c.assertNull(objectExperiment.getDataSet(), "DataSet") + c.assertNull(objectExperiment.getMaterial(), "Material") + } + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchObjectKindModifications()", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.ObjectKindModificationSearchCriteria() + criteria.withObjectKind().thatIn(["SAMPLE", "EXPERIMENT"]) + criteria.withOperationKind().thatIn(["CREATE_OR_DELETE"]) + return facade.searchObjectKindModifications(criteria, c.createObjectKindModificationFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, objects: openbis.ObjectKindModification[]) { + c.assertEqual(objects.length, 2) + + var object0 = objects[0] + c.assertEqual(object0.getObjectKind(), "SAMPLE", "ObjectKind") + c.assertNotNull(object0.getLastModificationTimeStamp(), "LastModificationTimeStamp") + + var object1 = objects[1] + c.assertEqual(object1.getObjectKind(), "EXPERIMENT", "ObjectKind") + c.assertNotNull(object1.getLastModificationTimeStamp(), "LastModificationTimeStamp") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchPlugins()", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.PluginSearchCriteria() + criteria.withName().thatContains("Has") + criteria.withPluginType().thatEquals(dtos.PluginType.ENTITY_VALIDATION) + var fo = c.createPluginFetchOptions() + fo.withScript() + fo.sortBy().name().desc() + return facade.searchPlugins(criteria, fo) + } + + var fCheck = function (facade: openbis.openbis, plugins: openbis.Plugin[]) { + c.assertEqual(plugins.length, 1) + var plugin = plugins[0] + c.assertEqual(plugin.getName(), "Has_Parents", "Name") + c.assertEqual(plugin.getDescription(), "Check if the Entity has a parent", "Description") + c.assertEqual(plugin.getPluginKind(), dtos.PluginKind.JYTHON, "Plugin kind") + c.assertEqual(plugin.getPluginType(), dtos.PluginType.ENTITY_VALIDATION, "Plugin type") + c.assertEqual(plugin.getFetchOptions().hasScript(), true, "Has script") + c.assertEqual( + plugin.getScript(), + "def validate(entity, isNew):\n" + + " parents = entity.entityPE().parents\n" + + " if parents:\n" + + " return None\n" + + " else:\n" + + ' return "No Parents have been selected!"\n', + "Script" + ) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchVocabularies()", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.VocabularySearchCriteria() + criteria.withCode().thatEquals("$STORAGE_FORMAT") + return facade.searchVocabularies(criteria, c.createVocabularyFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, vocabularies: openbis.Vocabulary[]) { + c.assertEqual(vocabularies.length, 1) + var vocabulary = vocabularies[0] + c.assertEqual(vocabulary.getCode(), "$STORAGE_FORMAT", "Code") + c.assertEqual(vocabulary.getDescription(), "The on-disk storage format of a data set", "Description") + c.assertEqual(vocabulary.isManagedInternally(), true, "Managed internally") + c.assertEqual(vocabulary.getTerms().length, 2, "# of terms") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchVocabularies() with codes", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.VocabularySearchCriteria() + criteria.withCodes().thatIn(["END_TYPE", "KIT", "BLABLA"]) + return facade.searchVocabularies(criteria, c.createVocabularyFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, vocabularies: openbis.Vocabulary[]) { + var codes = [] + for (var i = 0; i < vocabularies.length; i++) { + codes.push(vocabularies[i].getCode()) + } + codes.sort() + c.assertEqual(codes.toString(), "END_TYPE,KIT", "Vocabularies") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchVocabularies() with and operator", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.VocabularySearchCriteria() + criteria.withAndOperator() + criteria.withCode().thatEndsWith("KIT") + criteria.withCode().thatContains("LE") + return facade.searchVocabularies(criteria, c.createVocabularyFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, vocabularies: openbis.Vocabulary[]) { + var codes = [] + for (var i = 0; i < vocabularies.length; i++) { + codes.push(vocabularies[i].getCode()) + } + codes.sort() + c.assertEqual(codes.toString(), "AGILENT_KIT", "Vocabularies") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchVocabularies() with or operator", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.VocabularySearchCriteria() + criteria.withOrOperator() + criteria.withCode().thatEndsWith("KIT") + criteria.withCode().thatContains("LE") + return facade.searchVocabularies(criteria, c.createVocabularyFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, vocabularies: openbis.Vocabulary[]) { + var codes = [] + for (var i = 0; i < vocabularies.length; i++) { + codes.push(vocabularies[i].getCode()) + } + codes.sort() + var actual = codes.toString() + var expected = "$DEFAULT_COLLECTION_VIEWS,$STORAGE.STORAGE_VALIDATION_LEVEL,AGILENT_KIT,KIT,SAMPLE_TYPE" + c.assertEqual(actual, expected, "Vocabularies Expected: [" + expected + "] - Actual: [" + actual + "]") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchVocabularyTerms()", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.VocabularyTermSearchCriteria() + criteria.withCode().thatEquals("BDS_DIRECTORY") + return facade.searchVocabularyTerms(criteria, c.createVocabularyTermFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, terms: openbis.VocabularyTerm[]) { + c.assertEqual(terms.length, 1) + var term = terms[0] + c.assertEqual(term.getCode(), "BDS_DIRECTORY", "Code") + c.assertEqual(term.getVocabulary().getCode(), "$STORAGE_FORMAT", "Vocabulary code") + c.assertEqual(term.getOrdinal(), 2, "Ordinal") + c.assertEqual(term.isOfficial(), true, "Official") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchVocabularyTerms() with codes", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.VocabularyTermSearchCriteria() + criteria.withCodes().thatIn(["BDS_DIRECTORY"]) + return facade.searchVocabularyTerms(criteria, c.createVocabularyTermFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, terms: openbis.VocabularyTerm[]) { + c.assertEqual(terms.length, 1) + var term = terms[0] + c.assertEqual(term.getCode(), "BDS_DIRECTORY", "Code") + c.assertEqual(term.getVocabulary().getCode(), "$STORAGE_FORMAT", "Vocabulary code") + c.assertEqual(term.getOrdinal(), 2, "Ordinal") + c.assertEqual(term.isOfficial(), true, "Official") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchExternalDms()", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.as_dto_externaldms_search_ExternalDmsSearchCriteria() + criteria.withCode().thatEquals("DMS_2") + return facade.searchExternalDataManagementSystems(criteria, c.createExternalDmsFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, entities: openbis.ExternalDms[]) { + c.assertEqual(entities.length, 1) + var edms = entities[0] + c.assertEqual(edms.getCode(), "DMS_2", "Code") + c.assertEqual(edms.getLabel(), "Test External openBIS instance", "Label") + c.assertEqual(edms.getAddress(), "http://www.openbis.ch/perm_id=${code}", "Address") + c.assertEqual(edms.getUrlTemplate(), "http://www.openbis.ch/perm_id=${code}", "URL template") + c.assertEqual(edms.getAddressType(), "OPENBIS", "Address type") + c.assertEqual(edms.isOpenbis(), true, "is openBIS?") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchExternalDms() with codes", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.as_dto_externaldms_search_ExternalDmsSearchCriteria() + criteria.withCodes().thatIn(["DMS_2"]) + return facade.searchExternalDataManagementSystems(criteria, c.createExternalDmsFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, entities: openbis.ExternalDms[]) { + c.assertEqual(entities.length, 1) + var edms = entities[0] + c.assertEqual(edms.getCode(), "DMS_2", "Code") + c.assertEqual(edms.getLabel(), "Test External openBIS instance", "Label") + c.assertEqual(edms.getAddress(), "http://www.openbis.ch/perm_id=${code}", "Address") + c.assertEqual(edms.getUrlTemplate(), "http://www.openbis.ch/perm_id=${code}", "URL template") + c.assertEqual(edms.getAddressType(), "OPENBIS", "Address type") + c.assertEqual(edms.isOpenbis(), true, "is openBIS?") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchTags()", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.TagSearchCriteria() + criteria.withCode().thatEquals("JS_TEST_METAPROJECT") + return facade.searchTags(criteria, c.createTagFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, tags: openbis.Tag[]) { + c.assertEqual(tags.length, 1) + var tag = tags[0] + c.assertEqual(tag.getCode(), "JS_TEST_METAPROJECT", "Code") + c.assertEqual(tag.getPermId().getPermId(), "/openbis_test_js/JS_TEST_METAPROJECT", "PermId") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchTags() with codes", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.TagSearchCriteria() + criteria.withCodes().thatIn(["JS_TEST_METAPROJECT"]) + return facade.searchTags(criteria, c.createTagFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, tags: openbis.Tag[]) { + c.assertEqual(tags.length, 1) + var tag = tags[0] + c.assertEqual(tag.getCode(), "JS_TEST_METAPROJECT", "Code") + c.assertEqual(tag.getPermId().getPermId(), "/openbis_test_js/JS_TEST_METAPROJECT", "PermId") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchAuthorizationGroups()", function (assert) { + var c = new common(assert, dtos) + var code + + var fSearch = function (facade: openbis.openbis) { + return c.createAuthorizationGroup(facade).then(function (permId) { + var criteria = new dtos.AuthorizationGroupSearchCriteria() + code = permId.getPermId() + criteria.withCode().thatEquals(code) + return facade.searchAuthorizationGroups(criteria, c.createAuthorizationGroupFetchOptions()) + }) + } + + var fCheck = function (facade: openbis.openbis, groups: openbis.AuthorizationGroup[]) { + c.assertEqual(groups.length, 1) + var group = groups[0] + c.assertEqual(group.getCode(), code, "Code") + var users = group.getUsers() + c.assertEqual(users[0].getUserId(), "power_user", "User") + c.assertEqual(users.length, 1, "# Users") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchAuthorizationGroups() with codes", function (assert) { + var c = new common(assert, dtos) + var code + + var fSearch = function (facade: openbis.openbis) { + return c.createAuthorizationGroup(facade).then(function (permId) { + var criteria = new dtos.AuthorizationGroupSearchCriteria() + code = permId.getPermId() + criteria.withCodes().thatIn([code]) + return facade.searchAuthorizationGroups(criteria, c.createAuthorizationGroupFetchOptions()) + }) + } + + var fCheck = function (facade: openbis.openbis, groups: openbis.AuthorizationGroup[]) { + c.assertEqual(groups.length, 1) + var group = groups[0] + c.assertEqual(group.getCode(), code, "Code") + var users = group.getUsers() + c.assertEqual(users[0].getUserId(), "power_user", "User") + c.assertEqual(users.length, 1, "# Users") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchAuthorizationGroups() existing with role assigments", function (assert) { + var c = new common(assert, dtos) + var code + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.AuthorizationGroupSearchCriteria() + criteria.withCode().thatEquals("TEST-GROUP") + return facade.searchAuthorizationGroups(criteria, c.createAuthorizationGroupFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, groups: openbis.AuthorizationGroup[]) { + c.assertEqual(groups.length, 1) + var group = groups[0] + c.assertEqual(group.getCode(), "TEST-GROUP", "Code") + var users = group.getUsers() + c.assertEqual(users.length, 0, "# Users") + var roleAssignments = group.getRoleAssignments() + var numberOfTestSpaceAssignments = 0 + var numberOfProjectAssignments = 0 + for (var i = 0; i < roleAssignments.length; i++) { + var ra = roleAssignments[i] + if (ra.getSpace() && ra.getSpace().getCode() === "TEST") { + c.assertEqual(ra.getRole(), "OBSERVER", "Role of assignment for space TEST") + numberOfTestSpaceAssignments++ + } + if (ra.getProject()) { + c.assertEqual(ra.getRole(), "ADMIN", "Role of assignment for project") + c.assertEqual(ra.getProject().getCode(), "TEST-PROJECT", "Project code of assignment for project") + c.assertEqual(ra.getProject().getSpace().getCode(), "TEST", "Project space of assignment for project") + numberOfProjectAssignments++ + } + } + c.assertEqual(numberOfTestSpaceAssignments, 1, "Number of TEST space assignments") + c.assertEqual(numberOfProjectAssignments, 0, "Number of project assignments") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchRoleAssignments()", function (assert) { + var c = new common(assert, dtos) + var code + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.RoleAssignmentSearchCriteria() + criteria.withSpace().withCode().thatEquals("TEST") + criteria.withUser().withUserId().thatEquals("observer") + return facade.searchRoleAssignments(criteria, c.createRoleAssignmentFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, assignments: openbis.RoleAssignment[]) { + c.assertEqual(assignments.length, 1, "# Role Assignments") + var assignment = assignments[0] + c.assertEqual(assignment.getRole(), "OBSERVER", "Role") + c.assertEqual(assignment.getRoleLevel(), "SPACE", "Role level") + c.assertEqual(assignment.getSpace().getCode(), "TEST", "Space") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchRoleAssignments() with group with user", function (assert) { + var c = new common(assert, dtos) + var code + + var fSearch = function (facade: openbis.openbis) { + return c.createAuthorizationGroup(facade).then(function (permId) { + var creation = new dtos.RoleAssignmentCreation() + creation.setRole(dtos.Role.POWER_USER) + creation.setAuthorizationGroupId(permId) + creation.setSpaceId(new dtos.SpacePermId("TEST")) + return facade.createRoleAssignments([creation]).then(function (permIds) { + var criteria = new dtos.RoleAssignmentSearchCriteria() + criteria.withSpace().withCode().thatEquals("TEST") + criteria.withAuthorizationGroup().withUser().withUserId().thatEquals("power_user") + var fo = c.createRoleAssignmentFetchOptions() + fo.withAuthorizationGroup().withUsers() + return facade.searchRoleAssignments(criteria, fo) + }) + }) + } + + var fCheck = function (facade: openbis.openbis, assignments: openbis.RoleAssignment[]) { + c.assertEqual(assignments.length > 0, true, "At least one Role Assignment?") + var assignment = assignments[0] + c.assertEqual(assignment.getRole(), "POWER_USER", "Role") + c.assertEqual(assignment.getRoleLevel(), "SPACE", "Role level") + c.assertEqual(assignment.getSpace().getCode(), "TEST", "Space") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchPersons()", function (assert) { + var c = new common(assert, dtos) + var code + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.PersonSearchCriteria() + criteria.withUserId().thatContains("bser") + return facade.searchPersons(criteria, c.createPersonFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, persons: openbis.Person[]) { + c.assertEqual(persons.length, 1, "# persons") + var person = persons[0] + c.assertEqual(person.getUserId(), "observer", "User id") + c.assertEqual(person.getRegistrator().getUserId(), "system", "Registrator") + var assignments = person.getRoleAssignments() + c.assertEqual(assignments.length, 1, "# Role Assignments") + var assignment = assignments[0] + c.assertEqual(assignment.getRole(), "OBSERVER", "Role") + c.assertEqual(assignment.getRoleLevel(), "SPACE", "Role level") + c.assertEqual(assignment.getSpace().getCode(), "TEST", "Space") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchOperationExecutions()", function (assert) { + var c = new common(assert, dtos) + + c.start() + + // We want to start only once. Because testSearch() also calls + // start() let's make the start() do nothing. + c.start = function () {} + + c.login(facade) + .then(function () { + return c.createOperationExecution(facade).then(function (permId) { + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.OperationExecutionSearchCriteria() + return facade.searchOperationExecutions(criteria, new dtos.OperationExecutionFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, executions: openbis.OperationExecution[]) { + c.assertTrue(executions.length >= 1) + var found = false + + executions.forEach(function (execution) { + if (execution.getPermId().getPermId() == permId.getPermId()) { + found = true + } + }) + + c.assertTrue(found) + } + + return testSearch(c, fSearch, fCheck) + }) + }) + .fail(function () { + c.fail() + c.finish() + }) + }) + + QUnit.test("searchDataStores() withEmptyCriteria", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.DataStoreSearchCriteria() + return facade.searchDataStores(criteria, c.createDataStoreFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, dataStores: openbis.DataStore[]) { + c.assertEqual(dataStores.length, 2) + c.assertObjectsWithValues(dataStores, "code", ["DSS1", "DSS2"]) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchDataStores() withCodeThatEquals", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.DataStoreSearchCriteria() + criteria.withCode().thatEquals("DSS1") + return facade.searchDataStores(criteria, c.createDataStoreFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, dataStores: openbis.DataStore[]) { + c.assertEqual(dataStores.length, 1) + var dataStore = dataStores[0] + c.assertEqual(dataStore.getCode(), "DSS1", "Code") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchDataStores() with codes", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.DataStoreSearchCriteria() + criteria.withCodes().thatIn(["DSS1"]) + return facade.searchDataStores(criteria, c.createDataStoreFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, dataStores: openbis.DataStore[]) { + c.assertEqual(dataStores.length, 1) + var dataStore = dataStores[0] + c.assertEqual(dataStore.getCode(), "DSS1", "Code") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("dataStoreFacade.searchFiles() atNonexistentDataStore", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + return facade + .getDataStoreFacade(["I_DONT_EXIST", "ME_NEITHER"]) + .searchFiles(new dtos.DataSetFileSearchCriteria(), c.createDataSetFileFetchOptions()) + } + + var fCheckError = function (error) { + c.assertEqual(error, "No data stores found for codes: I_DONT_EXIST,ME_NEITHER") + } + + testSearch(c, fSearch, null, fCheckError) + }) + + QUnit.test("dataStoreFacade.searchFiles() atOneChosenDataStore", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.DataSetFileSearchCriteria() + var dataSetCriteria = criteria.withDataSet() + dataSetCriteria.withOrOperator() + + // at DSS1 + dataSetCriteria.withCode().thatEquals("20130424111751209-430") + // at DSS2 + dataSetCriteria.withCode().thatEquals("20130415093804724-403") + + return facade.getDataStoreFacade(["DSS1"]).searchFiles(criteria, c.createDataSetFileFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, files: openbis.DataSetFile[]) { + c.assertEqual(files.length, 3) + c.assertObjectsWithValues(files, "path", ["", "feature_lists", "feature_lists/NUMBER_FEATURE_LIST"]) + + files.forEach(function (file) { + c.assertEqual(file.getDataStore().getCode(), "DSS1") + }) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("dataStoreFacade.searchFiles() atMultipleChosenDataStores", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.DataSetFileSearchCriteria() + var dataSetCriteria = criteria.withDataSet() + dataSetCriteria.withOrOperator() + + // at DSS1 + dataSetCriteria.withCode().thatEquals("20130424111751209-430") + // at DSS2 + dataSetCriteria.withCode().thatEquals("20130415093804724-403") + + return facade.getDataStoreFacade(["DSS1", "DSS2"]).searchFiles(criteria, c.createDataSetFileFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, files: openbis.DataSetFile[]) { + c.assertEqual(files.length, 6) + c.assertObjectsWithValues(files, "path", [ + "", + "feature_lists", + "feature_lists/NUMBER_FEATURE_LIST", + "original", + "original/emptyFile", + ]) + + files.forEach(function (file) { + if (file.getDataSetPermId().getPermId() == "20130424111751209-430") { + c.assertEqual(file.getDataStore().getCode(), "DSS1") + } else if (file.getDataSetPermId().getPermId() == "20130415093804724-403") { + c.assertEqual(file.getDataStore().getCode(), "DSS2") + } else { + c.fail() + } + }) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("dataStoreFacade.searchFiles() atAllAvailableDataStores", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.DataSetFileSearchCriteria() + var dataSetCriteria = criteria.withDataSet() + dataSetCriteria.withOrOperator() + + // at DSS1 + dataSetCriteria.withCode().thatEquals("20130424111751209-430") + // at DSS2 + dataSetCriteria.withCode().thatEquals("20130415093804724-403") + + return facade.getDataStoreFacade().searchFiles(criteria, c.createDataSetFileFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, files: openbis.DataSetFile[]) { + c.assertEqual(files.length, 6) + c.assertObjectsWithValues(files, "path", [ + "", + "feature_lists", + "feature_lists/NUMBER_FEATURE_LIST", + "original", + "original/emptyFile", + ]) + + files.forEach(function (file) { + if (file.getDataSetPermId().getPermId() == "20130424111751209-430") { + c.assertEqual(file.getDataStore().getCode(), "DSS1") + } else if (file.getDataSetPermId().getPermId() == "20130415093804724-403") { + c.assertEqual(file.getDataStore().getCode(), "DSS2") + } else { + c.fail() + } + }) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSemanticAnnotations() withPermId", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + return c.createSemanticAnnotation(facade).then(function (permId) { + var criteria = new dtos.SemanticAnnotationSearchCriteria() + criteria.withPermId().thatEquals(permId.getPermId()) + return facade.searchSemanticAnnotations(criteria, c.createSemanticAnnotationFetchOptions()) + }) + } + + var fCheck = function (facade: openbis.openbis, annotations: openbis.SemanticAnnotation[]) { + c.assertEqual(annotations.length, 1) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSemanticAnnotations() withPredicate and withDescriptor", function (assert) { + var c = new common(assert, dtos) + var expectedAnnotation = null + + var fSearch = function (facade: openbis.openbis) { + return c + .createSemanticAnnotation(facade) + .then(function (permId) { + return c.findSemanticAnnotation(facade, permId) + }) + .then(function (annotation) { + expectedAnnotation = annotation + var criteria = new dtos.SemanticAnnotationSearchCriteria() + criteria.withPredicateOntologyId().thatEquals(annotation.getPredicateOntologyId()) + return facade.searchSemanticAnnotations(criteria, c.createSemanticAnnotationFetchOptions()) + }) + } + + var fCheck = function (facade: openbis.openbis, annotations: openbis.SemanticAnnotation[]) { + c.assertEqual(annotations.length, 1) + var annotation = annotations[0] + c.assertEqual(annotation.getPredicateOntologyId(), expectedAnnotation.getPredicateOntologyId(), "predicateOntologyId") + c.assertEqual( + annotation.getPredicateOntologyVersion(), + expectedAnnotation.getPredicateOntologyVersion(), + "predicateOntologyVersion" + ) + c.assertEqual(annotation.getPredicateAccessionId(), expectedAnnotation.getPredicateAccessionId(), "predicateAccessionId") + c.assertEqual(annotation.getDescriptorOntologyId(), expectedAnnotation.getDescriptorOntologyId(), "descriptorOntologyId") + c.assertEqual( + annotation.getDescriptorOntologyVersion(), + expectedAnnotation.getDescriptorOntologyVersion(), + "descriptorOntologyVersion" + ) + c.assertEqual(annotation.getDescriptorAccessionId(), expectedAnnotation.getDescriptorAccessionId(), "descriptorAccessionId") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSemanticAnnotations() withEntityTypeId", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.SemanticAnnotationSearchCriteria() + criteria.withEntityType().withId().thatEquals(new dtos.EntityTypePermId("PLATE", "SAMPLE")) + return facade.searchSemanticAnnotations(criteria, c.createSemanticAnnotationFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, annotations: openbis.SemanticAnnotation[]) { + c.assertEqual(annotations.length, 1) + c.assertEqual(annotations[0].getPermId().getPermId(), "ST_PLATE", "Annotation perm id") + c.assertEqual(annotations[0].getEntityType().getCode(), "PLATE", "Entity type code") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSemanticAnnotations() withEntityTypeCodes", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.SemanticAnnotationSearchCriteria() + criteria.withEntityType().withCodes().thatIn(["PLATE"]) + return facade.searchSemanticAnnotations(criteria, c.createSemanticAnnotationFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, annotations: openbis.SemanticAnnotation[]) { + c.assertEqual(annotations.length, 1) + c.assertEqual(annotations[0].getPermId().getPermId(), "ST_PLATE", "Annotation perm id") + c.assertEqual(annotations[0].getEntityType().getCode(), "PLATE", "Entity type code") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSemanticAnnotations() withPropertyTypeId", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.SemanticAnnotationSearchCriteria() + criteria.withPropertyType().withId().thatEquals(new dtos.PropertyTypePermId("DESCRIPTION")) + return facade.searchSemanticAnnotations(criteria, c.createSemanticAnnotationFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, annotations: openbis.SemanticAnnotation[]) { + c.assertEqual(annotations.length, 1) + c.assertEqual(annotations[0].getPermId().getPermId(), "PT_DESCRIPTION", "Annotation perm id") + c.assertEqual(annotations[0].getPropertyType().getCode(), "DESCRIPTION", "Property type code") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSemanticAnnotations() withPropertyAssignmentId", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.SemanticAnnotationSearchCriteria() + criteria + .withPropertyAssignment() + .withId() + .thatEquals( + new dtos.PropertyAssignmentPermId( + new dtos.EntityTypePermId("LIBRARY", "SAMPLE"), + new dtos.PropertyTypePermId("PREPARED_BY") + ) + ) + return facade.searchSemanticAnnotations(criteria, c.createSemanticAnnotationFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, annotations: openbis.SemanticAnnotation[]) { + c.assertEqual(annotations.length, 1) + c.assertEqual(annotations[0].getPermId().getPermId(), "ST_LIBRARY_PT_PREPARED_BY", "Annotation perm id") + c.assertEqual(annotations[0].getPropertyAssignment().getEntityType().getCode(), "LIBRARY", "Entity type code") + c.assertEqual( + (<openbis.EntityTypePermId>annotations[0].getPropertyAssignment().getEntityType().getPermId()).getEntityKind(), + "SAMPLE", + "Entity type kind" + ) + c.assertEqual(annotations[0].getPropertyAssignment().getPropertyType().getCode(), "PREPARED_BY", "Property type code") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchPropertyTypes() withPermId", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.PropertyTypeSearchCriteria() + criteria.withId().thatEquals(new dtos.PropertyTypePermId("TOTAL_READS")) + return facade.searchPropertyTypes(criteria, c.createPropertyTypeFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, types: openbis.PropertyType[]) { + c.assertEqual(types.length, 1) + c.assertEqual(types[0].getLabel(), "Total reads", "Label") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchPropertyAssignments() withPermId", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.PropertyAssignmentSearchCriteria() + criteria + .withId() + .thatEquals( + new dtos.PropertyAssignmentPermId( + new dtos.EntityTypePermId("LIBRARY", "SAMPLE"), + new dtos.PropertyTypePermId("EXTERNAL_SAMPLE_NAME") + ) + ) + return facade.searchPropertyAssignments(criteria, c.createPropertyAssignmentFetchOptions()) + } + + var fCheck = function (facade: openbis.openbis, types: openbis.PropertyAssignment[]) { + c.assertEqual(types.length, 1) + c.assertEqual(types[0].getEntityType().getCode(), "LIBRARY", "Entity type code") + c.assertEqual(types[0].getPropertyType().getCode(), "EXTERNAL_SAMPLE_NAME", "Property type code") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchDeletions()", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + return c.createSample(facade).then(function (permId) { + var options = new dtos.SampleDeletionOptions() + options.setReason("test reason") + return facade.deleteSamples([permId], options).then(function (deletionId) { + var criteria = new dtos.DeletionSearchCriteria() + criteria.withId().thatEquals(deletionId) + var fetchOptions = new dtos.DeletionFetchOptions() + return facade.searchDeletions(criteria, fetchOptions) + }) + }) + } + + var fCheck = function (facade: openbis.openbis, deletions: openbis.Deletion[]) { + c.assertEqual(deletions.length, 1) + var deletion = deletions[0] + c.assertEqual(deletion.getReason(), "test reason", "reason") + c.assertToday(deletion.getDeletionDate(), "deletion date") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchEvents()", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.EventSearchCriteria() + var fetchOptions = new dtos.EventFetchOptions() + return facade.searchEvents(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, events: openbis.Event[]) { + c.assertEqual(events.length, 6) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchEvents() withEventType", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.EventSearchCriteria() + criteria.withEventType().thatEquals(dtos.EventType.FREEZING) + var fetchOptions = new dtos.EventFetchOptions() + fetchOptions.withRegistrator() + return facade.searchEvents(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, events: openbis.Event[]) { + c.assertEqual(events.length, 1) + + c.assertEqual(events[0].getEventType(), dtos.EventType.FREEZING, "Event Type") + c.assertEqual(events[0].getEntityType(), dtos.EntityType.EXPERIMENT, "Entity Type") + c.assertEqual(events[0].getIdentifier(), "/EVENT_TEST_SPACE_A/EVENT_TEST_PROJECT_A/EVENT_TEST_EXPERIMENT_A", "Identifier") + c.assertEqual(events[0].getReason(), '["freeze"]', "Reason") + c.assertEqual(events[0].getRegistrator().getUserId(), "openbis_test_js", "Registrator") + c.assertDate(events[0].getRegistrationDate(), "Registration date", 2021, 5, 14, 10, 10) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchEvents() withEntityType", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.EventSearchCriteria() + criteria.withEntityType().thatEquals(dtos.EntityType.EXPERIMENT) + var fetchOptions = new dtos.EventFetchOptions() + fetchOptions.withRegistrator() + fetchOptions.sortBy().id().desc() + return facade.searchEvents(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, events: openbis.Event[]) { + c.assertEqual(events.length, 3) + + c.assertEqual(events[0].getEventType(), dtos.EventType.FREEZING, "Event Type") + c.assertEqual(events[0].getEntityType(), dtos.EntityType.EXPERIMENT, "Entity Type") + c.assertEqual(events[0].getIdentifier(), "/EVENT_TEST_SPACE_A/EVENT_TEST_PROJECT_A/EVENT_TEST_EXPERIMENT_A", "Identifier") + c.assertEqual(events[0].getReason(), '["freeze"]', "Reason") + c.assertEqual(events[0].getRegistrator().getUserId(), "openbis_test_js", "Registrator") + c.assertDate(events[0].getRegistrationDate(), "Registration date", 2021, 5, 14, 10, 10) + + c.assertEqual(events[1].getEventType(), dtos.EventType.DELETION, "Event Type") + c.assertEqual(events[1].getEntityType(), dtos.EntityType.EXPERIMENT, "Entity Type") + c.assertEqual(events[1].getEntitySpace(), "EVENT_TEST_SPACE_B", "Entity Space") + c.assertEqual(events[1].getEntityProject(), "/EVENT_TEST_SPACE_B/EVENT_TEST_PROJECT_B", "Entity Project") + c.assertEqual((<openbis.ProjectPermId>events[1].getEntityProjectId()).getPermId(), "20210514121033383-440", "Entity Project Id") + c.assertEqual(events[1].getEntityRegistrator(), "openbis_test_js", "Entity Registrator") + c.assertDate(events[1].getEntityRegistrationDate(), "Entity Registration date", 2021, 5, 14, 10, 10) + c.assertEqual(events[1].getIdentifier(), "20210514121033530-443", "Identifier") + c.assertEqual(events[1].getDescription(), "20210514121033530-443", "Description") + c.assertEqual(events[1].getReason(), "delete experiments", "Reason") + c.assertEqual(events[1].getRegistrator().getUserId(), "admin", "Registrator") + c.assertDate(events[1].getRegistrationDate(), "Registration date", 2021, 5, 14, 10, 10) + + c.assertEqual(events[2].getEventType(), dtos.EventType.DELETION, "Event Type") + c.assertEqual(events[2].getEntityType(), dtos.EntityType.EXPERIMENT, "Entity Type") + c.assertEqual(events[2].getEntitySpace(), "EVENT_TEST_SPACE_B", "Entity Space") + c.assertEqual(events[2].getEntityProject(), "/EVENT_TEST_SPACE_B/EVENT_TEST_PROJECT_B", "Entity Project") + c.assertEqual((<openbis.ProjectPermId>events[2].getEntityProjectId()).getPermId(), "20210514121033383-440", "Entity Project Id") + c.assertEqual(events[2].getEntityRegistrator(), "openbis_test_js", "Entity Registrator") + c.assertDate(events[2].getEntityRegistrationDate(), "Entity Registration date", 2021, 5, 14, 10, 10) + c.assertEqual(events[2].getIdentifier(), "20210514121033530-444", "Identifier") + c.assertEqual(events[2].getDescription(), "20210514121033530-444", "Description") + c.assertEqual(events[2].getReason(), "delete experiments", "Reason") + c.assertEqual(events[2].getRegistrator().getUserId(), "admin", "Registrator") + c.assertDate(events[2].getRegistrationDate(), "Registration date", 2021, 5, 14, 10, 10) + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchEvents() withEntitySpace", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.EventSearchCriteria() + criteria.withEntitySpace().thatEquals("EVENT_TEST_SPACE_C") + var fetchOptions = new dtos.EventFetchOptions() + return facade.searchEvents(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, events: openbis.Event[]) { + c.assertEqual(events.length, 1) + + c.assertEqual(events[0].getEventType(), dtos.EventType.DELETION, "Event Type") + c.assertEqual(events[0].getEntityType(), dtos.EntityType.PROJECT, "Entity Type") + c.assertEqual(events[0].getEntitySpace(), "EVENT_TEST_SPACE_C", "Entity Space") + c.assertEqual((<openbis.SpaceTechId>events[0].getEntitySpaceId()).getTechId(), 6, "Entity Space Id") + c.assertEqual(events[0].getEntityProject(), "/EVENT_TEST_SPACE_C/EVENT_TEST_PROJECT_C", "Entity Project") + c.assertEqual((<openbis.ProjectPermId>events[0].getEntityProjectId()).getPermId(), "20210514121033383-441", "Entity Project Id") + c.assertEqual(events[0].getIdentifier(), "20210514121033383-441", "Identifier") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchEvents() withEntitySpaceId", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.EventSearchCriteria() + criteria.withEntitySpaceId().thatEquals("6") + var fetchOptions = new dtos.EventFetchOptions() + return facade.searchEvents(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, events: openbis.Event[]) { + c.assertEqual(events.length, 1) + + c.assertEqual(events[0].getEventType(), dtos.EventType.DELETION, "Event Type") + c.assertEqual(events[0].getEntityType(), dtos.EntityType.PROJECT, "Entity Type") + c.assertEqual(events[0].getEntitySpace(), "EVENT_TEST_SPACE_C", "Entity Space") + c.assertEqual((<openbis.SpaceTechId>events[0].getEntitySpaceId()).getTechId(), 6, "Entity Space Id") + c.assertEqual(events[0].getEntityProject(), "/EVENT_TEST_SPACE_C/EVENT_TEST_PROJECT_C", "Entity Project") + c.assertEqual((<openbis.ProjectPermId>events[0].getEntityProjectId()).getPermId(), "20210514121033383-441", "Entity Project Id") + c.assertEqual(events[0].getIdentifier(), "20210514121033383-441", "Identifier") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchEvents() withEntityProject", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.EventSearchCriteria() + criteria.withEntityProject().thatEquals("/EVENT_TEST_SPACE_B/EVENT_TEST_PROJECT_B") + var fetchOptions = new dtos.EventFetchOptions() + fetchOptions.sortBy().identifier() + return facade.searchEvents(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, events: openbis.Event[]) { + c.assertEqual(events.length, 3) + + c.assertEqual(events[0].getEventType(), dtos.EventType.DELETION, "Event Type") + c.assertEqual(events[0].getEntityType(), dtos.EntityType.PROJECT, "Entity Type") + c.assertEqual(events[0].getEntitySpace(), "EVENT_TEST_SPACE_B", "Entity Space") + c.assertEqual(events[0].getEntityProject(), "/EVENT_TEST_SPACE_B/EVENT_TEST_PROJECT_B", "Entity Project") + c.assertEqual((<openbis.ProjectPermId>events[0].getEntityProjectId()).getPermId(), "20210514121033383-440", "Entity Project Id") + c.assertEqual(events[0].getIdentifier(), "20210514121033383-440", "Identifier") + + c.assertEqual(events[1].getEventType(), dtos.EventType.DELETION, "Event Type") + c.assertEqual(events[1].getEntityType(), dtos.EntityType.EXPERIMENT, "Entity Type") + c.assertEqual(events[1].getEntitySpace(), "EVENT_TEST_SPACE_B", "Entity Space") + c.assertEqual(events[1].getEntityProject(), "/EVENT_TEST_SPACE_B/EVENT_TEST_PROJECT_B", "Entity Project") + c.assertEqual((<openbis.ProjectPermId>events[1].getEntityProjectId()).getPermId(), "20210514121033383-440", "Entity Project Id") + c.assertEqual(events[1].getIdentifier(), "20210514121033530-443", "Identifier") + + c.assertEqual(events[2].getEventType(), dtos.EventType.DELETION, "Event Type") + c.assertEqual(events[2].getEntityType(), dtos.EntityType.EXPERIMENT, "Entity Type") + c.assertEqual(events[2].getEntitySpace(), "EVENT_TEST_SPACE_B", "Entity Space") + c.assertEqual(events[2].getEntityProject(), "/EVENT_TEST_SPACE_B/EVENT_TEST_PROJECT_B", "Entity Project") + c.assertEqual((<openbis.ProjectPermId>events[2].getEntityProjectId()).getPermId(), "20210514121033383-440", "Entity Project Id") + c.assertEqual(events[2].getIdentifier(), "20210514121033530-444", "Identifier") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchEvents() withEntityProjectId", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.EventSearchCriteria() + criteria.withEntityProjectId().thatEquals("20210514121033383-441") + var fetchOptions = new dtos.EventFetchOptions() + return facade.searchEvents(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, events: openbis.Event[]) { + c.assertEqual(events.length, 1) + + c.assertEqual(events[0].getEventType(), dtos.EventType.DELETION, "Event Type") + c.assertEqual(events[0].getEntityType(), dtos.EntityType.PROJECT, "Entity Type") + c.assertEqual(events[0].getEntitySpace(), "EVENT_TEST_SPACE_C", "Entity Space") + c.assertEqual((<openbis.SpaceTechId>events[0].getEntitySpaceId()).getTechId(), 6, "Entity Space Id") + c.assertEqual(events[0].getEntityProject(), "/EVENT_TEST_SPACE_C/EVENT_TEST_PROJECT_C", "Entity Project") + c.assertEqual((<openbis.ProjectPermId>events[0].getEntityProjectId()).getPermId(), "20210514121033383-441", "Entity Project Id") + c.assertEqual(events[0].getIdentifier(), "20210514121033383-441", "Identifier") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchEvents() withEntityRegistrator", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.EventSearchCriteria() + criteria.withEntityRegistrator().thatEquals("openbis_test_js") + var fetchOptions = new dtos.EventFetchOptions() + fetchOptions.sortBy().id() + return facade.searchEvents(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, events: openbis.Event[]) { + c.assertEqual(events.length, 2) + + c.assertEqual(events[0].getEventType(), dtos.EventType.DELETION, "Event Type") + c.assertEqual(events[0].getEntityType(), dtos.EntityType.EXPERIMENT, "Entity Type") + c.assertEqual(events[0].getEntityRegistrator(), "openbis_test_js", "Entity Registrator") + c.assertEqual(events[0].getIdentifier(), "20210514121033530-444", "Identifier") + + c.assertEqual(events[1].getEventType(), dtos.EventType.DELETION, "Event Type") + c.assertEqual(events[1].getEntityType(), dtos.EntityType.EXPERIMENT, "Entity Type") + c.assertEqual(events[1].getEntityRegistrator(), "openbis_test_js", "Entity Registrator") + c.assertEqual(events[1].getIdentifier(), "20210514121033530-443", "Identifier") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchEvents() withEntityRegistrationDate", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.EventSearchCriteria() + criteria.withEntityRegistrationDate().thatEquals("2021-05-13") + var fetchOptions = new dtos.EventFetchOptions() + return facade.searchEvents(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, events: openbis.Event[]) { + c.assertEqual(events.length, 1) + + c.assertEqual(events[0].getEventType(), dtos.EventType.DELETION, "Event Type") + c.assertEqual(events[0].getEntityType(), dtos.EntityType.PROJECT, "Entity Type") + c.assertDate(events[0].getEntityRegistrationDate(), "Entity Registration date", 2021, 5, 13, 8, 0) + c.assertEqual(events[0].getIdentifier(), "20210514121033383-441", "Identifier") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchEvents() withReason", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.EventSearchCriteria() + criteria.withReason().thatEquals("delete experiments") + var fetchOptions = new dtos.EventFetchOptions() + fetchOptions.sortBy().id() + return facade.searchEvents(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, events: openbis.Event[]) { + c.assertEqual(events.length, 2) + + c.assertEqual(events[0].getEventType(), dtos.EventType.DELETION, "Event Type") + c.assertEqual(events[0].getEntityType(), dtos.EntityType.EXPERIMENT, "Entity Type") + c.assertEqual(events[0].getEntityRegistrator(), "openbis_test_js", "Entity Registrator") + c.assertEqual(events[0].getIdentifier(), "20210514121033530-444", "Identifier") + + c.assertEqual(events[1].getEventType(), dtos.EventType.DELETION, "Event Type") + c.assertEqual(events[1].getEntityType(), dtos.EntityType.EXPERIMENT, "Entity Type") + c.assertEqual(events[1].getEntityRegistrator(), "openbis_test_js", "Entity Registrator") + c.assertEqual(events[1].getIdentifier(), "20210514121033530-443", "Identifier") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchEvents() withRegistrator", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.EventSearchCriteria() + criteria.withRegistrator().withUserId().thatEquals("openbis_test_js") + var fetchOptions = new dtos.EventFetchOptions() + fetchOptions.withRegistrator() + return facade.searchEvents(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, events: openbis.Event[]) { + c.assertEqual(events.length, 1) + + c.assertEqual(events[0].getEventType(), dtos.EventType.FREEZING, "Event Type") + c.assertEqual(events[0].getEntityType(), dtos.EntityType.EXPERIMENT, "Entity Type") + c.assertEqual(events[0].getIdentifier(), "/EVENT_TEST_SPACE_A/EVENT_TEST_PROJECT_A/EVENT_TEST_EXPERIMENT_A", "Identifier") + c.assertEqual(events[0].getRegistrator().getUserId(), "openbis_test_js", "Registrator") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchEvents() withRegistrationDate", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.EventSearchCriteria() + criteria.withAndOperator() + criteria.withRegistrationDate().thatIsLaterThanOrEqualTo("2021-05-11") + criteria.withRegistrationDate().thatIsEarlierThanOrEqualTo("2021-05-13") + var fetchOptions = new dtos.EventFetchOptions() + return facade.searchEvents(criteria, fetchOptions) + } + + var fCheck = function (facade: openbis.openbis, events: openbis.Event[]) { + c.assertEqual(events.length, 1) + + c.assertEqual(events[0].getEventType(), dtos.EventType.DELETION, "Event Type") + c.assertEqual(events[0].getEntityType(), dtos.EntityType.PROJECT, "Entity Type") + c.assertDate(events[0].getRegistrationDate(), "Registration date", 2021, 5, 12, 8, 10) + c.assertEqual(events[0].getIdentifier(), "20210514121033383-441", "Identifier") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchQueries() withId", function (assert) { + var c = new common(assert, dtos) + + var creation = new dtos.QueryCreation() + creation.setName(c.generateId("query")) + creation.setDatabaseId(new dtos.QueryDatabaseName("openbisDB")) + creation.setQueryType(dtos.QueryType.GENERIC) + creation.setSql("select * from spaces") + + var fSearch = function (facade: openbis.openbis) { + return facade.createQueries([creation]).then(function (techIds) { + var criteria = new dtos.QuerySearchCriteria() + criteria.withId().thatEquals(techIds[0]) + return facade.searchQueries(criteria, c.createQueryFetchOptions()) + }) + } + + var fCheck = function (facade: openbis.openbis, queries: openbis.Query[]) { + c.assertEqual(queries.length, 1) + c.assertEqual(queries[0].getName(), creation.getName(), "Name") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchQueries() withName", function (assert) { + var c = new common(assert, dtos) + + var creation = new dtos.QueryCreation() + creation.setName(c.generateId("query")) + creation.setDatabaseId(new dtos.QueryDatabaseName("openbisDB")) + creation.setQueryType(dtos.QueryType.GENERIC) + creation.setSql("select * from spaces") + + var fSearch = function (facade: openbis.openbis) { + return facade.createQueries([creation]).then(function (techIds) { + var criteria = new dtos.QuerySearchCriteria() + criteria.withName().thatEquals(creation.getName()) + return facade.searchQueries(criteria, c.createQueryFetchOptions()) + }) + } + + var fCheck = function (facade: openbis.openbis, queries: openbis.Query[]) { + c.assertEqual(queries.length, 1) + c.assertEqual(queries[0].getName(), creation.getName(), "Name") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchQueries() withEntityTypeCodePattern", function (assert) { + var c = new common(assert, dtos) + + var creation = new dtos.QueryCreation() + creation.setName(c.generateId("query")) + creation.setDatabaseId(new dtos.QueryDatabaseName("openbisDB")) + creation.setQueryType(dtos.QueryType.EXPERIMENT) + creation.setEntityTypeCodePattern(c.generateId("pattern")) + creation.setSql("select * from experiments where perm_id = ${key}") + + var fSearch = function (facade: openbis.openbis) { + return facade.createQueries([creation]).then(function (techIds) { + var criteria = new dtos.QuerySearchCriteria() + criteria.withEntityTypeCodePattern().thatEquals(creation.getEntityTypeCodePattern()) + return facade.searchQueries(criteria, c.createQueryFetchOptions()) + }) + } + + var fCheck = function (facade: openbis.openbis, queries: openbis.Query[]) { + c.assertEqual(queries.length, 1) + c.assertEqual(queries[0].getName(), creation.getName(), "Name") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchQueryDatabases() withId", function (assert) { + var c = new common(assert, dtos) + + var fSearch = function (facade: openbis.openbis) { + var criteria = new dtos.QueryDatabaseSearchCriteria() + var fo = new dtos.QueryDatabaseFetchOptions() + fo.withSpace() + fo.sortBy().name().asc() + + criteria.withId().thatEquals(new dtos.QueryDatabaseName("openbisDB")) + return facade.searchQueryDatabases(criteria, fo) + } + + var fCheck = function (facade: openbis.openbis, databases: openbis.QueryDatabase[]) { + c.assertEqual(databases.length, 1) + c.assertEqual(databases[0].getPermId().getName(), "openbisDB", "PermId") + c.assertEqual(databases[0].getName(), "openbisDB", "Name") + c.assertEqual(databases[0].getLabel(), "openBIS meta data", "Label") + c.assertEqual(databases[0].getCreatorMinimalRole(), dtos.Role.OBSERVER, "CreatorMinimalRole") + c.assertEqual(databases[0].getCreatorMinimalRoleLevel(), dtos.RoleLevel.INSTANCE, "CreatorMinimalRoleLevel") + c.assertEqual(databases[0].getSpace(), null, "Space") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchPersonalAccessTokens() withId", function (assert) { + var c = new common(assert, dtos) + var now = new Date() + + var creation = new dtos.PersonalAccessTokenCreation() + creation.setSessionName(c.generateId("pat")) + creation.setValidFromDate(now.getTime()) + creation.setValidToDate(new Date(now.getTime() + 24 * 3600 * 1000).getTime()) + + var fSearch = function (facade: openbis.openbis) { + return facade.createPersonalAccessTokens([creation]).then(function (permIds) { + var criteria = new dtos.PersonalAccessTokenSearchCriteria() + criteria.withId().thatEquals(permIds[0]) + return facade.searchPersonalAccessTokens(criteria, c.createPersonalAccessTokenFetchOptions()) + }) + } + + var fCheck = function (facade: openbis.openbis, pats: openbis.PersonalAccessToken[]) { + c.assertEqual(pats.length, 1) + c.assertEqual(pats[0].getSessionName(), creation.getSessionName(), "Session name") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchPersonalAccessTokens() withOwner withSessionName", function (assert) { + var c = new common(assert, dtos) + var now = new Date() + + var creation = new dtos.PersonalAccessTokenCreation() + creation.setSessionName(c.generateId("pat")) + creation.setValidFromDate(now.getTime()) + creation.setValidToDate(new Date(now.getTime() + 24 * 3600 * 1000).getTime()) + + var fSearch = function (facade: openbis.openbis) { + return facade.createPersonalAccessTokens([creation]).then(function (permIds) { + return facade.getSessionInformation().then(function (sessionInformation) { + var criteria = new dtos.PersonalAccessTokenSearchCriteria() + criteria.withOwner().withUserId().thatEquals(sessionInformation.getUserName()) + criteria.withSessionName().thatEquals(creation.getSessionName()) + return facade.searchPersonalAccessTokens(criteria, c.createPersonalAccessTokenFetchOptions()) + }) + }) + } + + var fCheck = function (facade: openbis.openbis, pats: openbis.PersonalAccessToken[]) { + c.assertEqual(pats.length, 1) + c.assertEqual(pats[0].getSessionName(), creation.getSessionName(), "Session name") + } + + testSearch(c, fSearch, fCheck) + }) + + QUnit.test("searchSamples() withProperty", function (assert) { + var c = new common(assert, dtos) + + var samplePermId + var propertyTypeId + var sampleTypeId + var fSearch = function (facade: openbis.openbis) { + return createPropertyType(c, facade, dtos.DataType.VARCHAR).then( + function (propertyTypeIds) { + propertyTypeId = propertyTypeIds[0] + return createSampleType(c, facade, false).then(function (sampleTypeIds) { + sampleTypeId = sampleTypeIds[0] + return createSample(c, facade, sampleTypeIds[0], propertyTypeIds[0], "abc").then(function (sampleIds) { + samplePermId = sampleIds[0] + var criteria = new dtos.SampleSearchCriteria() + criteria.withProperty(propertyTypeIds[0].getPermId()).thatEquals("abc") + return facade.searchSamples(criteria, c.createSampleFetchOptions()) + }) + }) + }, + function (error) { + c.fail("Error creating property type. error=" + error.message) + } + ) + } + + var fCleanup = function (facade: openbis.openbis, samples: openbis.Sample[]) { + if (samples) { + cleanup(c, facade, samples[0].getPermId(), propertyTypeId, sampleTypeId) + } + } + + var fCheck = function (facade: openbis.openbis, samples: openbis.Sample[]) { + c.assertEqual(samples.length, 1) + c.assertEqual(samples[0].getPermId(), samplePermId.getPermId()) + + fCleanup(facade, samples) + } + + testSearch(c, fSearch, fCheck, fCleanup) + }) + + QUnit.test("searchSamples() withAnyProperty", function (assert) { + var c = new common(assert, dtos) + + var samplePermId + var propertyTypeId + var sampleTypeId + var fSearch = function (facade: openbis.openbis) { + return createPropertyType(c, facade, dtos.DataType.VARCHAR).then( + function (propertyTypeIds) { + propertyTypeId = propertyTypeIds[0] + return createSampleType(c, facade, false).then(function (sampleTypeIds) { + sampleTypeId = sampleTypeIds[0] + return createSample(c, facade, sampleTypeIds[0], propertyTypeIds[0], "abc").then(function (sampleIds) { + samplePermId = sampleIds[0] + var criteria = new dtos.SampleSearchCriteria() + criteria.withAnyProperty().thatEquals("abc") + return facade.searchSamples(criteria, c.createSampleFetchOptions()) + }) + }) + }, + function (error) { + c.fail("Error creating property type. error=" + error.message) + } + ) + } + + var fCleanup = function (facade: openbis.openbis, samples: openbis.Sample[]) { + if (samples) { + cleanup(c, facade, samples[0].getPermId(), propertyTypeId, sampleTypeId) + } + } + + var fCheck = function (facade: openbis.openbis, samples: openbis.Sample[]) { + c.assertEqual(samples.length, 1) + c.assertEqual(samples[0].getPermId(), samplePermId.getPermId()) + + fCleanup(facade, samples) + } + + testSearch(c, fSearch, fCheck, fCleanup) + }) + + QUnit.test("searchSamples() withStringProperty", function (assert) { + var c = new common(assert, dtos) + + var samplePermId + var propertyTypeId + var sampleTypeId + var fSearch = function (facade: openbis.openbis) { + return createPropertyType(c, facade, dtos.DataType.VARCHAR).then( + function (propertyTypeIds) { + propertyTypeId = propertyTypeIds[0] + return createSampleType(c, facade, false).then(function (sampleTypeIds) { + sampleTypeId = sampleTypeIds[0] + return createSample(c, facade, sampleTypeIds[0], propertyTypeIds[0], "abc").then(function (sampleIds) { + samplePermId = sampleIds[0] + var criteria = new dtos.SampleSearchCriteria() + criteria.withStringProperty(propertyTypeIds[0].getPermId()).thatEquals("abc") + return facade.searchSamples(criteria, c.createSampleFetchOptions()) + }) + }) + }, + function (error) { + c.fail("Error creating property type. error=" + error.message) + } + ) + } + + var fCleanup = function (facade: openbis.openbis, samples: openbis.Sample[]) { + if (samples) { + cleanup(c, facade, samples[0].getPermId(), propertyTypeId, sampleTypeId) + } + } + + var fCheck = function (facade: openbis.openbis, samples: openbis.Sample[]) { + c.assertEqual(samples.length, 1) + c.assertEqual(samples[0].getPermId(), samplePermId.getPermId()) + + fCleanup(facade, samples) + } + + testSearch(c, fSearch, fCheck, fCleanup) + }) + + QUnit.test("searchSamples() withAnyStringProperty", function (assert) { + var c = new common(assert, dtos) + + var samplePermId + var propertyTypeId + var sampleTypeId + var fSearch = function (facade: openbis.openbis) { + return createPropertyType(c, facade, dtos.DataType.VARCHAR).then( + function (propertyTypeIds) { + propertyTypeId = propertyTypeIds[0] + return createSampleType(c, facade, false).then(function (sampleTypeIds) { + sampleTypeId = sampleTypeIds[0] + return createSample(c, facade, sampleTypeIds[0], propertyTypeIds[0], "abc").then(function (sampleIds) { + samplePermId = sampleIds[0] + var criteria = new dtos.SampleSearchCriteria() + criteria.withAnyStringProperty().thatEquals("abc") + return facade.searchSamples(criteria, c.createSampleFetchOptions()) + }) + }) + }, + function (error) { + c.fail("Error creating property type. error=" + error.message) + } + ) + } + + var fCleanup = function (facade: openbis.openbis, samples: openbis.Sample[]) { + if (samples) { + cleanup(c, facade, samples[0].getPermId(), propertyTypeId, sampleTypeId) + } + } + + var fCheck = function (facade: openbis.openbis, samples: openbis.Sample[]) { + c.assertEqual(samples.length, 1) + c.assertEqual(samples[0].getPermId(), samplePermId.getPermId()) + + fCleanup(facade, samples) + } + + testSearch(c, fSearch, fCheck, fCleanup) + }) + + QUnit.test("searchSamples() withStringProperty throwing exception", function (assert) { + var c = new common(assert, dtos) + checkExceptionsThrown( + assert, + [ + dtos.DataType.BOOLEAN, + dtos.DataType.CONTROLLEDVOCABULARY, + dtos.DataType.DATE, + dtos.DataType.INTEGER, + dtos.DataType.MATERIAL, + dtos.DataType.REAL, + dtos.DataType.SAMPLE, + dtos.DataType.TIMESTAMP, + ], + function (propertyTypePermId) { + var criteria = new dtos.SampleSearchCriteria() + criteria.withStringProperty(propertyTypePermId).thatEquals("true") + return criteria + } + ) + }) + + QUnit.test("searchSamples() withNumberProperty", function (assert) { + var c = new common(assert, dtos) + + var samplePermId + var propertyTypeId + var sampleTypeId + var fSearch = function (facade: openbis.openbis) { + return createPropertyType(c, facade, dtos.DataType.INTEGER).then( + function (propertyTypeIds) { + propertyTypeId = propertyTypeIds[0] + return createSampleType(c, facade, false).then(function (sampleTypeIds) { + sampleTypeId = sampleTypeIds[0] + return createSample(c, facade, sampleTypeIds[0], propertyTypeIds[0], 12344).then(function (sampleIds) { + samplePermId = sampleIds[0] + var criteria = new dtos.SampleSearchCriteria() + criteria.withNumberProperty(propertyTypeIds[0].getPermId()).thatEquals(12344) + return facade.searchSamples(criteria, c.createSampleFetchOptions()) + }) + }) + }, + function (error) { + c.fail("Error creating property type. error=" + error.message) + } + ) + } + + var fCleanup = function (facade: openbis.openbis, samples: openbis.Sample[]) { + if (samples) { + cleanup(c, facade, samples[0].getPermId(), propertyTypeId, sampleTypeId) + } + } + + var fCheck = function (facade: openbis.openbis, samples: openbis.Sample[]) { + c.assertEqual(samples.length, 1) + c.assertEqual(samples[0].getPermId(), samplePermId.getPermId()) + + fCleanup(facade, samples) + } + + testSearch(c, fSearch, fCheck, fCleanup) + }) + + QUnit.test("searchSamples() withAnyNumberProperty", function (assert) { + var c = new common(assert, dtos) + + var samplePermId + var propertyTypeId + var sampleTypeId + var fSearch = function (facade: openbis.openbis) { + return createPropertyType(c, facade, dtos.DataType.INTEGER).then( + function (propertyTypeIds) { + propertyTypeId = propertyTypeIds[0] + return createSampleType(c, facade, false).then(function (sampleTypeIds) { + sampleTypeId = sampleTypeIds[0] + return createSample(c, facade, sampleTypeIds[0], propertyTypeIds[0], 12344).then(function (sampleIds) { + samplePermId = sampleIds[0] + var criteria = new dtos.SampleSearchCriteria() + criteria.withAnyNumberProperty().thatEquals(12344) + return facade.searchSamples(criteria, c.createSampleFetchOptions()) + }) + }) + }, + function (error) { + c.fail("Error creating property type. error=" + error.message) + } + ) + } + + var fCleanup = function (facade: openbis.openbis, samples: openbis.Sample[]) { + if (samples) { + cleanup(c, facade, samples[0].getPermId(), propertyTypeId, sampleTypeId) + } + } + + var fCheck = function (facade: openbis.openbis, samples: openbis.Sample[]) { + c.assertEqual(samples.length, 1) + c.assertEqual(samples[0].getPermId(), samplePermId.getPermId()) + + fCleanup(facade, samples) + } + + testSearch(c, fSearch, fCheck, fCleanup) + }) + + QUnit.test("searchSamples() withNumberProperty throwing exception", function (assert) { + var c = new common(assert, dtos) + checkExceptionsThrown( + assert, + [ + dtos.DataType.BOOLEAN, + dtos.DataType.CONTROLLEDVOCABULARY, + dtos.DataType.DATE, + dtos.DataType.HYPERLINK, + dtos.DataType.MATERIAL, + dtos.DataType.MULTILINE_VARCHAR, + dtos.DataType.SAMPLE, + dtos.DataType.TIMESTAMP, + dtos.DataType.VARCHAR, + dtos.DataType.XML, + ], + function (propertyTypePermId) { + var criteria = new dtos.SampleSearchCriteria() + criteria.withNumberProperty(propertyTypePermId).thatEquals(12) + return criteria + } + ) + }) + + QUnit.test("searchSamples() withBooleanProperty", function (assert) { + var c = new common(assert, dtos) + + var samplePermId + var propertyTypeId + var sampleTypeId + var fSearch = function (facade: openbis.openbis) { + return createPropertyType(c, facade, dtos.DataType.BOOLEAN).then(function (propertyTypeIds) { + propertyTypeId = propertyTypeIds[0] + return createSampleType(c, facade, false).then(function (sampleTypeIds) { + sampleTypeId = sampleTypeIds[0] + return createSample(c, facade, sampleTypeIds[0], propertyTypeIds[0], true).then(function (sampleIds) { + samplePermId = sampleIds[0] + var criteria = new dtos.SampleSearchCriteria() + criteria.withBooleanProperty(propertyTypeIds[0].getPermId()).thatEquals(true) + return facade.searchSamples(criteria, c.createSampleFetchOptions()) + }) + }) + }) + } + + var fCleanup = function (facade: openbis.openbis, samples: openbis.Sample[]) { + if (samples) { + cleanup(c, facade, samples[0].getPermId(), propertyTypeId, sampleTypeId) + } + } + + var fCheck = function (facade: openbis.openbis, samples: openbis.Sample[]) { + c.assertEqual(samples.length, 1) + c.assertEqual(samples[0].getPermId(), samplePermId.getPermId()) + + fCleanup(facade, samples) + } + + testSearch(c, fSearch, fCheck, fCleanup) + }) + + QUnit.test("searchSamples() withAnyBooleanProperty", function (assert) { + var c = new common(assert, dtos) + + var samplePermId + var propertyTypeId + var sampleTypeId + var fSearch = function (facade: openbis.openbis) { + return createPropertyType(c, facade, dtos.DataType.BOOLEAN).then(function (propertyTypeIds) { + propertyTypeId = propertyTypeIds[0] + return createSampleType(c, facade, false).then(function (sampleTypeIds) { + sampleTypeId = sampleTypeIds[0] + return createSample(c, facade, sampleTypeIds[0], propertyTypeIds[0], true).then(function (sampleIds) { + samplePermId = sampleIds[0] + var criteria = new dtos.SampleSearchCriteria() + criteria.withAnyBooleanProperty().thatEquals(true) + return facade.searchSamples(criteria, c.createSampleFetchOptions()) + }) + }) + }) + } + + var fCleanup = function (facade: openbis.openbis, samples: openbis.Sample[]) { + if (samples) { + cleanup(c, facade, samples[0].getPermId(), propertyTypeId, sampleTypeId) + } + } + + var fCheck = function (facade: openbis.openbis, samples: openbis.Sample[]) { + c.assertEqual(samples.length, 1) + c.assertEqual(samples[0].getPermId(), samplePermId.getPermId()) + + fCleanup(facade, samples) + } + + testSearch(c, fSearch, fCheck, fCleanup) + }) + + QUnit.test("searchSamples() withBooleanProperty throwing exception", function (assert) { + var c = new common(assert, dtos) + checkExceptionsThrown( + assert, + [ + dtos.DataType.CONTROLLEDVOCABULARY, + dtos.DataType.DATE, + dtos.DataType.HYPERLINK, + dtos.DataType.INTEGER, + dtos.DataType.MATERIAL, + dtos.DataType.MULTILINE_VARCHAR, + dtos.DataType.REAL, + dtos.DataType.SAMPLE, + dtos.DataType.TIMESTAMP, + dtos.DataType.VARCHAR, + dtos.DataType.XML, + ], + function (propertyTypePermId) { + var criteria = new dtos.SampleSearchCriteria() + criteria.withBooleanProperty(propertyTypePermId).thatEquals(true) + return criteria + } + ) + }) + + QUnit.test("searchSamples() withDateProperty", function (assert) { + var c = new common(assert, dtos) + + var samplePermId + var propertyTypeId + var sampleTypeId + var fSearch = function (facade: openbis.openbis) { + return createPropertyType(c, facade, dtos.DataType.DATE).then( + function (propertyTypeIds) { + propertyTypeId = propertyTypeIds[0] + return createSampleType(c, facade, false).then(function (sampleTypeIds) { + sampleTypeId = sampleTypeIds[0] + return createSample(c, facade, sampleTypeIds[0], propertyTypeIds[0], "2007-07-17").then(function (sampleIds) { + samplePermId = sampleIds[0] + var criteria = new dtos.SampleSearchCriteria() + criteria.withDateProperty(propertyTypeIds[0].getPermId()).thatEquals("2007-07-17") + return facade.searchSamples(criteria, c.createSampleFetchOptions()) + }) + }) + }, + function (error) { + c.fail("Error creating property type. error=" + error.message) + } + ) + } + + var fCleanup = function (facade: openbis.openbis, samples: openbis.Sample[]) { + if (samples) { + cleanup(c, facade, samples[0].getPermId(), propertyTypeId, sampleTypeId) + } + } + + var fCheck = function (facade: openbis.openbis, samples: openbis.Sample[]) { + c.assertEqual(samples.length, 1) + c.assertEqual(samples[0].getPermId(), samplePermId.getPermId()) + + fCleanup(facade, samples) + } + + testSearch(c, fSearch, fCheck, fCleanup) + }) + + QUnit.test("searchSamples() withAnyDateProperty", function (assert) { + var c = new common(assert, dtos) + + var samplePermId + var propertyTypeId + var sampleTypeId + var fSearch = function (facade: openbis.openbis) { + return createPropertyType(c, facade, dtos.DataType.DATE).then( + function (propertyTypeIds) { + propertyTypeId = propertyTypeIds[0] + return createSampleType(c, facade, false).then(function (sampleTypeIds) { + sampleTypeId = sampleTypeIds[0] + return createSample(c, facade, sampleTypeIds[0], propertyTypeIds[0], "2017-09-17").then(function (sampleIds) { + samplePermId = sampleIds[0] + var criteria = new dtos.SampleSearchCriteria() + criteria.withAnyDateProperty().thatEquals("2017-09-17") + return facade.searchSamples(criteria, c.createSampleFetchOptions()) + }) + }) + }, + function (error) { + c.fail("Error creating property type. error=" + error.message) + } + ) + } + + var fCleanup = function (facade: openbis.openbis, samples: openbis.Sample[]) { + if (samples) { + cleanup(c, facade, samples[0].getPermId(), propertyTypeId, sampleTypeId) + } + } + + var fCheck = function (facade: openbis.openbis, samples: openbis.Sample[]) { + c.assertEqual(samples.length, 1) + c.assertEqual(samples[0].getPermId(), samplePermId.getPermId()) + + fCleanup(facade, samples) + } + + testSearch(c, fSearch, fCheck, fCleanup) + }) + + QUnit.test("searchSamples() withDateProperty throwing exception", function (assert) { + var c = new common(assert, dtos) + checkExceptionsThrown( + assert, + [ + dtos.DataType.BOOLEAN, + dtos.DataType.CONTROLLEDVOCABULARY, + dtos.DataType.HYPERLINK, + dtos.DataType.INTEGER, + dtos.DataType.MATERIAL, + dtos.DataType.MULTILINE_VARCHAR, + dtos.DataType.REAL, + dtos.DataType.SAMPLE, + dtos.DataType.VARCHAR, + dtos.DataType.XML, + ], + function (propertyTypePermId) { + var criteria = new dtos.SampleSearchCriteria() + criteria.withDateProperty(propertyTypePermId).thatEquals("2017-09-17") + return criteria + } + ) + }) + + function checkExceptionsThrown(assert, dataTypes, createCriteria) { + var c = new common(assert, dtos) + c.start = function () {} + c.finish = function () {} + + var finish = assert.async() + + var fRecursion = function (i) { + if (i < dataTypes.length - 1) { + testDataType(i + 1) + } else { + finish() + } + } + + var testDataType = function (i) { + var dataType = dataTypes[i] + var fSearch = function (facade: openbis.openbis) { + return createPropertyType(c, facade, dataType).then(function (propertyTypeIds) { + var criteria = createCriteria(propertyTypeIds[0].getPermId()) + return facade.searchSamples(criteria, c.createSampleFetchOptions()) + }) + } + + var fCheck = function () { + c.fail("Expected exception not thrown for data type " + dataType + ".") + fRecursion(i) + } + + testSearch(c, fSearch, fCheck, function (e) { + c.ok("Expected exception thrown for data type " + dataType + ".") + fRecursion(i) + }) + } + + testDataType(0) + } + + function cleanup(c, facade: openbis.openbis, samplePermId, propertyTypeId, sampleTypeId) { + var options = new dtos.SampleDeletionOptions() + options.setReason("Test reason.") + facade.deleteSamples([samplePermId], options).then( + function (deletionId) { + facade.confirmDeletions([deletionId]).then( + function () { + var options = new dtos.SampleTypeDeletionOptions() + options.setReason("Test reason.") + facade.deleteSampleTypes([sampleTypeId], options).then( + function () { + var options = new dtos.PropertyTypeDeletionOptions() + options.setReason("Test reason.") + facade.deletePropertyTypes([propertyTypeId], options).then(null, function (error) { + c.fail("Error deleting property type. error.message=" + error.message) + }) + }, + function (error) { + c.fail("Error deleting sample type. error.message=" + error.message) + } + ) + }, + function (error) { + c.fail("Error confirming sample deletion. error.message=" + error.message) + } + ) + }, + function (error) { + c.fail("Error deleting sample. error.message=" + error.message) + } + ) + } + + function createSampleType(c, facade: openbis.openbis, mandatory) { + var creation = new dtos.SampleTypeCreation() + creation.setCode("SAMPLE-TYPE-" + Date.now()) + + var assignments = [] + for (var i = 3; i < arguments.length; i++) { + var propertyAssignmentCreation = new dtos.PropertyAssignmentCreation() + propertyAssignmentCreation.setPropertyTypeId(arguments[i]) + propertyAssignmentCreation.setMandatory(mandatory) + assignments.push(propertyAssignmentCreation) + } + creation.setPropertyAssignments(assignments) + + return facade.createSampleTypes([creation]) + } + + function createPropertyType(c, facade: openbis.openbis, dataType, vocabularyPermId?) { + var creation = new dtos.PropertyTypeCreation() + creation.setCode("TYPE-" + Date.now()) + creation.setDataType(dataType) + creation.setDescription("description") + creation.setLabel("label") + creation.setMultiValue(false) + + if (dataType === dtos.DataType.CONTROLLEDVOCABULARY) { + creation.setVocabularyId(vocabularyPermId) + } + return facade.createPropertyTypes([creation]) + } + + function createSample(c, facade: openbis.openbis, sampleTypeId, propertyType, value) { + var creation = new dtos.SampleCreation() + creation.setTypeId(sampleTypeId) + creation.setCode("V3-TST-SAMPLE-" + Date.now()) + creation.setSpaceId(new dtos.SpacePermId("TEST")) + creation.setProperty(propertyType, value) + return facade.createSamples([creation]) + } + } + + resolve(function () { + executeModule("Search tests (RequireJS)", new openbisRequireJS(), dtos) + executeModule("Search tests (RequireJS - executeOperations)", new openbisExecuteOperations(new openbisRequireJS(), dtos), dtos) + executeModule("Search tests (module VAR)", new window.openbis.openbis(), window.openbis) + executeModule( + "Search tests (module VAR - executeOperations)", + new openbisExecuteOperations(new window.openbis.openbis(), window.openbis), + window.openbis + ) + executeModule("Search tests (module ESM)", new window.openbisESM.openbis(), window.openbisESM) + executeModule( + "Search tests (module ESM - executeOperations)", + new openbisExecuteOperations(new window.openbisESM.openbis(), window.openbisESM), + window.openbisESM + ) + }) + }) +}) diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-typescript.ts b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-typescript.ts new file mode 100644 index 0000000000000000000000000000000000000000..c09948a899ea4cc403f120dc29b85e8fc94b7121 --- /dev/null +++ b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-typescript.ts @@ -0,0 +1,184 @@ +import jquery from "./types/jquery" +import underscore from "./types/underscore" +import common from "./types/common" +import openbis from "./types/openbis.esm" + +exports.default = new Promise((resolve) => { + require(["jquery", "underscore", "openbis", "test/common", "test/dtos"], function ( + $: jquery.JQueryStatic, + _: underscore.UnderscoreStatic, + openbisRequireJS, + common: common.CommonConstructor, + dtos + ) { + var executeModule = function (moduleName: string, bundle: openbis.bundle) { + QUnit.module(moduleName) + + QUnit.test("create facade", async function (assert) { + try { + var c = new common(assert, bundle) + c.start() + + var facadeWithoutParameters: openbis.openbis = new bundle.openbis() + c.assertNotNull(await c.login(facadeWithoutParameters), "Session token") + + var facadeWithUrlParameter: openbis.openbis = new bundle.openbis("/openbis/openbis/rmi-application-server-v3.json") + c.assertNotNull(await c.login(facadeWithUrlParameter), "Session token") + + c.finish() + } catch (e) { + c.fail(e) + } + }) + + QUnit.test("get DSS facade", async function (assert) { + try { + var c = new common(assert, bundle) + c.start() + + var facade: openbis.openbis = new bundle.openbis() + + var dssFacadeWithoutCodes = facade.getDataStoreFacade() + var dssFacadeWithCodes = facade.getDataStoreFacade(["DSS1", "DSS2"]) + + c.assertNotNull(dssFacadeWithoutCodes) + c.assertNotNull(dssFacadeWithCodes) + + c.finish() + } catch (e) { + c.fail(e) + } + }) + + QUnit.test("use short and long names of classes", async function (assert) { + try { + var c = new common(assert, bundle) + c.start() + + var shortShort: openbis.SampleCreation = new bundle.SampleCreation() + var shortLong: openbis.SampleCreation = new bundle.as_dto_sample_create_SampleCreation() + var longShort: openbis.as_dto_sample_create_SampleCreation = new bundle.SampleCreation() + var longLong: openbis.as_dto_sample_create_SampleCreation = new bundle.as_dto_sample_create_SampleCreation() + + shortShort.setCreationId(new bundle.CreationId("shortShort")) + shortLong.setCreationId(new bundle.CreationId("shortLong")) + longShort.setCreationId(new bundle.CreationId("longShort")) + longLong.setCreationId(new bundle.CreationId("longLong")) + + c.assertTrue(true) + c.finish() + } catch (e) { + c.fail(e) + } + }) + + QUnit.test("use enums", async function (assert) { + try { + var c = new common(assert, bundle) + c.start() + + var shortShort: openbis.DataType = bundle.DataType.INTEGER + var shortLong: openbis.DataType = bundle.as_dto_property_DataType.INTEGER + var shortString: openbis.DataType = "INTEGER" + var longShort: openbis.as_dto_property_DataType = bundle.DataType.INTEGER + var longLong: openbis.as_dto_property_DataType = bundle.as_dto_property_DataType.INTEGER + var longString: openbis.as_dto_property_DataType = "INTEGER" + + var expected = "INTEGER" + c.assertEqual(shortShort, expected) + c.assertEqual(shortLong, expected) + c.assertEqual(shortString, expected) + c.assertEqual(longShort, expected) + c.assertEqual(longLong, expected) + c.assertEqual(longString, expected) + + c.assertTrue(true) + c.finish() + } catch (e) { + c.fail(e) + } + }) + + QUnit.test("use dates", async function (assert) { + try { + var c = new common(assert, bundle) + c.start() + + var fo = new bundle.SampleFetchOptions() + fo.withProperties() + var object = new bundle.Sample() + object.setFetchOptions(fo) + + var date: number = new Date().getTime() + + object.setRegistrationDate(date) + object.setTimestampProperty("TEST", date) + object.setTimestampArrayProperty("TEST_ARRAY", [date]) + object.setMultiValueTimestampProperty("TEST_MULTIVALUE", [date]) + object.setMultiValueTimestampArrayProperty("TEST_MULTIVALUE_ARRAY", [[date]]) + + var registrationDate: number = object.getRegistrationDate() + var propertyValue: number = object.getTimestampProperty("TEST") + var propertyArrayValue: number[] = object.getTimestampArrayProperty("TEST_ARRAY") + var propertyMultiValue: number[] = object.getMultiValueTimestampProperty("TEST_MULTIVALUE") + var propertyMultiArrayValue: number[][] = object.getMultiValueTimestampArrayProperty("TEST_MULTIVALUE_ARRAY") + + c.assertEqual(registrationDate, date) + c.assertEqual(propertyValue, date) + c.assertDeepEqual(propertyArrayValue, [date]) + c.assertDeepEqual(propertyMultiValue, [date]) + c.assertDeepEqual(propertyMultiArrayValue, [[date]]) + + c.finish() + } catch (e) { + c.fail(e) + } + }) + + QUnit.test("use generics", async function (assert) { + try { + var c = new common(assert, bundle) + c.start() + + var valueShort: openbis.AbstractValue<string> = { getValue: null, setValue: null } + var valueLong: openbis.as_dto_common_search_AbstractValue<string> = { getValue: null, setValue: null } + + c.assertNotNull(valueShort) + c.assertNotNull(valueLong) + + var searchShortShort: openbis.SearchObjectsOperationResult<openbis.Sample> = new bundle.SearchSamplesOperationResult( + new bundle.SearchResult<openbis.Sample>([], 0) + ) + + var searchShortLong: openbis.SearchObjectsOperationResult<openbis.Sample> = + new bundle.as_dto_common_search_SearchObjectsOperationResult( + new bundle.as_dto_common_search_SearchResult<openbis.as_dto_sample_Sample>([], 0) + ) + + var searchLongShort: openbis.as_dto_common_search_SearchObjectsOperationResult<openbis.as_dto_sample_Sample> = + new bundle.SearchSamplesOperationResult(new bundle.SearchResult<openbis.Sample>([], 0)) + + var searchLongLong: openbis.as_dto_common_search_SearchObjectsOperationResult<openbis.as_dto_sample_Sample> = + new bundle.as_dto_common_search_SearchObjectsOperationResult( + new bundle.as_dto_common_search_SearchResult<openbis.as_dto_sample_Sample>([], 0) + ) + + c.assertNotNull(searchShortShort) + c.assertNotNull(searchShortLong) + c.assertNotNull(searchLongShort) + c.assertNotNull(searchLongLong) + + c.finish() + } catch (e) { + c.fail(e) + } + }) + } + + resolve(function () { + executeModule("TypeScript tests (RequireJS)", Object.assign({}, dtos, { openbis: openbisRequireJS })) + executeModule("TypeScript tests (module VAR)", window.openbis) + executeModule("TypeScript tests (module ESM)", window.openbisESM) + }) + }) +}) diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-update.js b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-update.js deleted file mode 100644 index c343c1289891f63f8a4e4abe4e8c1d4c12bbf254..0000000000000000000000000000000000000000 --- a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-update.js +++ /dev/null @@ -1,1791 +0,0 @@ -define([ 'jquery', 'underscore', 'openbis', 'test/openbis-execute-operations', 'test/common', 'test/dtos' ], function($, _, openbis, openbisExecuteOperations, common, dtos) { - var executeModule = function(moduleName, facade, dtos) { - QUnit.module(moduleName); - - var testUpdate = function(c, fCreate, fUpdate, fFind, fCheck, fCheckError) { - c.start(); - - var ctx = { - facade : null, - permIds : null - }; - c.login(facade).then(function() { - ctx.facade = facade; - return fCreate(facade) - }).then(function(permIds) { - ctx.permIds = permIds; - c.assertTrue(permIds != null && permIds.length == 1, "Entity was created"); - return fFind(ctx.facade, permIds[0]) - }).then(function(entity) { - c.assertNotNull(entity, "Entity can be found"); - return fUpdate(ctx.facade, ctx.permIds[0]) - }).then(function() { - c.ok("Entity was updated"); - return fFind(ctx.facade, ctx.permIds[0]) - }).then(function(entity) { - if (fCheck) { - fCheck(entity); - } - c.finish(); - }).fail(function(error) { - if (fCheckError) { - fCheckError(error.message, ctx.permIds[0]); - } else { - c.fail(error.message); - } - c.finish(); - }); - } - - QUnit.test("updateSpaces()", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("SPACE"); - - var fCreate = function(facade) { - var creation = new dtos.SpaceCreation(); - creation.setCode(code); - creation.setDescription("test description"); - return facade.createSpaces([ creation ]); - } - - var fUpdate = function(facade, permId) { - var update = new dtos.SpaceUpdate(); - update.setSpaceId(permId); - update.setDescription("test description 2"); - return facade.updateSpaces([ update ]); - } - - var fCheck = function(space) { - c.assertEqual(space.getCode(), code, "Code"); - c.assertEqual(space.getDescription(), "test description 2", "Description"); - } - - testUpdate(c, fCreate, fUpdate, c.findSpace, fCheck); - }); - - QUnit.test("updateProjects() added attachments", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("PROJECT"); - - var fCreate = function(facade) { - var projectCreation = new dtos.ProjectCreation(); - projectCreation.setSpaceId(new dtos.SpacePermId("TEST")); - projectCreation.setCode(code); - projectCreation.setDescription("JS test project"); - return facade.createProjects([ projectCreation ]); - } - - var fUpdate = function(facade, permId) { - var projectUpdate = new dtos.ProjectUpdate(); - projectUpdate.setProjectId(permId); - projectUpdate.setSpaceId(new dtos.SpacePermId("PLATONIC")); - attachmentCreation = new dtos.AttachmentCreation(); - attachmentCreation.setFileName("test_file"); - attachmentCreation.setTitle("test_title"); - attachmentCreation.setDescription("test_description"); - attachmentCreation.setContent(btoa("hello world")); - projectUpdate.getAttachments().add([ attachmentCreation ]); - return facade.updateProjects([ projectUpdate ]); - } - - var fCheck = function(project) { - c.assertEqual(project.getCode(), code, "Project code"); - c.assertEqual(project.getSpace().getCode(), "PLATONIC", "Space code"); - c.assertEqual(project.getDescription(), "JS test project", "Description"); - var attachments = project.getAttachments(); - c.assertEqual(attachments[0].fileName, "test_file", "Attachment file name"); - c.assertEqual(attachments[0].title, "test_title", "Attachment title"); - c.assertEqual(attachments[0].description, "test_description", "Attachment description"); - c.assertEqual(atob(attachments[0].content), "hello world", "Attachment content"); - c.assertEqual(attachments.length, 1, "Number of attachments"); - } - - testUpdate(c, fCreate, fUpdate, c.findProject, fCheck); - }); - - QUnit.test("updateProjects() changed attributes", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("PROJECT"); - - var fCreate = function(facade) { - var projectCreation = new dtos.ProjectCreation(); - projectCreation.setSpaceId(new dtos.SpacePermId("TEST")); - projectCreation.setCode(code); - projectCreation.setDescription("JS test project"); - return facade.createProjects([ projectCreation ]); - } - - var fUpdate = function(facade, permId) { - var projectUpdate = new dtos.ProjectUpdate(); - projectUpdate.setProjectId(permId); - projectUpdate.setDescription("test_description"); - return facade.updateProjects([ projectUpdate ]); - } - - var fCheck = function(project) { - c.assertEqual(project.getCode(), code, "Project code"); - c.assertEqual(project.getSpace().getCode(), "TEST", "Space code"); - c.assertEqual(project.getDescription(), "test_description", "Description"); - } - - testUpdate(c, fCreate, fUpdate, c.findProject, fCheck); - }); - - QUnit.test("updateProjects() removed space", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("PROJECT"); - - var fCreate = function(facade) { - var projectCreation = new dtos.ProjectCreation(); - projectCreation.setSpaceId(new dtos.SpacePermId("TEST")); - projectCreation.setCode(code); - projectCreation.setDescription("JS test project"); - return facade.createProjects([ projectCreation ]); - } - - var fUpdate = function(facade, permId) { - var projectUpdate = new dtos.ProjectUpdate(); - projectUpdate.setProjectId(permId); - projectUpdate.setSpaceId(null); - return facade.updateProjects([ projectUpdate ]); - } - - var fCheckError = function(error, permId) { - c.assertContains(error, "Space id cannot be null", "Error"); - } - - testUpdate(c, fCreate, fUpdate, c.findProject, null, fCheckError); - }); - - QUnit.test("updateExperimentTypes()", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("EXPERIMENT_TYPE"); - - var fCreate = function(facade) { - var assignmentCreation = new dtos.PropertyAssignmentCreation(); - assignmentCreation.setSection("test section"); - assignmentCreation.setOrdinal(10); - assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId("DESCRIPTION")); - assignmentCreation.setPluginId(new dtos.PluginPermId("Diff_time")); - assignmentCreation.setInitialValueForExistingEntities("initial value"); - assignmentCreation.setShowInEditView(true); - assignmentCreation.setShowRawValueInForms(true); - - var creation = new dtos.ExperimentTypeCreation(); - creation.setCode(code); - creation.setDescription("a new description"); - creation.setPropertyAssignments([ assignmentCreation ]); - creation.setMetaData({"experiment_type_update":"old_value", "experiment_type_delete":"del_value"}); - - return facade.createExperimentTypes([ creation ]); - } - - var fUpdate = function(facade, permId) { - var assignmentCreation = new dtos.PropertyAssignmentCreation(); - assignmentCreation.setSection("test section 2"); - assignmentCreation.setOrdinal(10); - assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId("VERSION")); - assignmentCreation.setPluginId(new dtos.PluginPermId("Diff_time")); - assignmentCreation.setMandatory(true); - assignmentCreation.setInitialValueForExistingEntities("1.0"); - assignmentCreation.setShowInEditView(true); - assignmentCreation.setShowRawValueInForms(true); - var update = new dtos.ExperimentTypeUpdate(); - update.setTypeId(permId); - update.setDescription("another new description"); - update.setValidationPluginId(new dtos.PluginPermId("Has_Parents")); - update.getPropertyAssignments().set([ assignmentCreation ]); - update.getMetaData().put("experiment_type_update", "new_value"); - update.getMetaData().add({"experiment_type_add":"add_value"}); - update.getMetaData().remove("experiment_type_delete"); - return facade.updateExperimentTypes([ update ]); - } - - var fCheck = function(type) { - c.assertEqual(type.getCode(), code, "Type code"); - c.assertEqual(type.getPermId().getPermId(), code, "Type perm id"); - c.assertEqual(type.getDescription(), "another new description", "Description"); - - c.assertEqual(type.getPropertyAssignments().length, 1, "Assignments count"); - - var assignment = type.getPropertyAssignments()[0]; - - c.assertEqual(assignment.getSection(), "test section 2", "Assignment section"); - c.assertEqual(assignment.getOrdinal(), 10, "Assignment ordinal"); - c.assertEqual(assignment.getPropertyType().getCode(), "VERSION", "Assignment property type code"); - c.assertEqual(assignment.isMandatory(), true, "Assignment mandatory"); - c.assertEqual(assignment.isShowInEditView(), true, "Assignment ShowInEditView"); - c.assertEqual(assignment.isShowRawValueInForms(), true, "Assignment ShowRawValueInForms"); - - var metaData = type.getMetaData(); - c.assertEqual(metaData["experiment_type_update"], "new_value", "Metadata update"); - c.assertEqual(metaData["experiment_type_add"], "add_value", "Metadata add"); - c.assertEqual(metaData["experiment_type_delete"], undefined, "Metadata delete"); - } - - testUpdate(c, fCreate, fUpdate, c.findExperimentType, fCheck); - }); - - QUnit.test("updateExperiments() changed attributes + added tag + added attachment", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("EXPERIMENT"); - - var fCreate = function(facade) { - var experimentCreation = new dtos.ExperimentCreation(); - experimentCreation.setCode(code); - experimentCreation.setTypeId(new dtos.EntityTypePermId("HT_SEQUENCING")); - experimentCreation.setProperty("EXPERIMENT_DESIGN", "EXPRESSION"); - experimentCreation.setTagIds([ new dtos.TagCode("CREATE_JSON_TAG") ]); - experimentCreation.setProjectId(new dtos.ProjectIdentifier("/TEST/TEST-PROJECT")); - experimentCreation.setMetaData({"experiment_update":"old_value", "experiment_delete":"del_value"}); - return facade.createExperiments([ experimentCreation ]); - } - - var fUpdate = function(facade, permId) { - var experimentUpdate = new dtos.ExperimentUpdate(); - experimentUpdate.setExperimentId(permId); - experimentUpdate.setProjectId(new dtos.ProjectIdentifier("/PLATONIC/SCREENING-EXAMPLES")); - experimentUpdate.getTagIds().add(new dtos.TagCode("CREATE_ANOTHER_JSON_TAG")); - attachmentCreation = new dtos.AttachmentCreation(); - attachmentCreation.setFileName("test_file"); - attachmentCreation.setTitle("test_title"); - attachmentCreation.setDescription("test_description"); - attachmentCreation.setContent(btoa("hello world")); - experimentUpdate.getAttachments().add([ attachmentCreation ]); - experimentUpdate.getMetaData().put("experiment_update", "new_value"); - experimentUpdate.getMetaData().add({"experiment_add":"add_value"}); - experimentUpdate.getMetaData().remove("experiment_delete"); - return facade.updateExperiments([ experimentUpdate ]); - } - - var fCheck = function(experiment) { - c.assertEqual(experiment.getCode(), code, "Experiment code"); - c.assertEqual(experiment.getType().getCode(), "HT_SEQUENCING", "Type code"); - c.assertEqual(experiment.getProject().getCode(), "SCREENING-EXAMPLES", "Project code"); - c.assertEqual(experiment.getProject().getSpace().getCode(), "PLATONIC", "Space code"); - var tags = _.sortBy(experiment.getTags(), "code"); - c.assertEqual(tags[0].code, 'CREATE_ANOTHER_JSON_TAG', "tags"); - c.assertEqual(tags[1].code, 'CREATE_JSON_TAG', "tags"); - c.assertEqual(tags.length, 2, "Number of tags"); - var attachments = experiment.getAttachments(); - c.assertEqual(attachments[0].fileName, "test_file", "Attachment file name"); - c.assertEqual(attachments[0].title, "test_title", "Attachment title"); - c.assertEqual(attachments[0].description, "test_description", "Attachment description"); - c.assertEqual(atob(attachments[0].content), "hello world", "Attachment content"); - c.assertEqual(attachments.length, 1, "Number of attachments"); - - var metaData = experiment.getMetaData(); - c.assertEqual(metaData["experiment_update"], "new_value", "Metadata update"); - c.assertEqual(metaData["experiment_add"], "add_value", "Metadata add"); - c.assertEqual(metaData["experiment_delete"], undefined, "Metadata delete"); - } - - testUpdate(c, fCreate, fUpdate, c.findExperiment, fCheck); - }); - - QUnit.test("updateExperiments() changed properties + removed tag", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("EXPERIMENT"); - - var fCreate = function(facade) { - var experimentCreation = new dtos.ExperimentCreation(); - experimentCreation.setCode(code); - experimentCreation.setTypeId(new dtos.EntityTypePermId("HT_SEQUENCING")); - experimentCreation.setProperty("EXPERIMENT_DESIGN", "EXPRESSION"); - experimentCreation.setTagIds([ new dtos.TagCode("CREATE_JSON_TAG") ]); - experimentCreation.setProjectId(new dtos.ProjectIdentifier("/TEST/TEST-PROJECT")); - return facade.createExperiments([ experimentCreation ]); - } - - var fUpdate = function(facade, permId) { - var experimentUpdate = new dtos.ExperimentUpdate(); - experimentUpdate.setExperimentId(permId); - experimentUpdate.setProperty("EXPERIMENT_DESIGN", "OTHER"); - experimentUpdate.getTagIds().remove([ new dtos.TagCode("UNKNOWN_TAG"), new dtos.TagCode("CREATE_JSON_TAG") ]); - return facade.updateExperiments([ experimentUpdate ]); - } - - var fCheck = function(experiment) { - c.assertEqual(experiment.getCode(), code, "Experiment code"); - c.assertEqual(experiment.getType().getCode(), "HT_SEQUENCING", "Type code"); - c.assertEqual(experiment.getProject().getCode(), "TEST-PROJECT", "Project code"); - c.assertEqual(experiment.getProject().getSpace().getCode(), "TEST", "Space code"); - var properties = experiment.getProperties(); - c.assertEqual(properties["EXPERIMENT_DESIGN"], "OTHER", "Property EXPERIMENT_DESIGN"); - c.assertEqual(Object.keys(properties), "EXPERIMENT_DESIGN", "Properties"); - c.assertEqual(experiment.getTags().length, 0, "Number of tags"); - } - - testUpdate(c, fCreate, fUpdate, c.findExperiment, fCheck); - }); - - QUnit.test("updateExperiments() removed project", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("EXPERIMENT"); - - var fCreate = function(facade) { - var experimentCreation = new dtos.ExperimentCreation(); - experimentCreation.setCode(code); - experimentCreation.setTypeId(new dtos.EntityTypePermId("HT_SEQUENCING")); - experimentCreation.setProjectId(new dtos.ProjectIdentifier("/TEST/TEST-PROJECT")); - return facade.createExperiments([ experimentCreation ]); - } - - var fUpdate = function(facade, permId) { - var experimentUpdate = new dtos.ExperimentUpdate(); - experimentUpdate.setExperimentId(permId); - experimentUpdate.setProjectId(null); - return facade.updateExperiments([ experimentUpdate ]); - } - - var fCheckError = function(error, permId) { - c.assertContains(error, "Project id cannot be null", "Error"); - } - - testUpdate(c, fCreate, fUpdate, c.findExperiment, null, fCheckError); - }); - - QUnit.test("updateExperiment() change property of type SAMPLE", function(assert) { - var c = new common(assert, dtos); - var propertyTypeCode = c.generateId("PROPERTY_TYPE"); - var experimentTypeCode = c.generateId("EXPERIMENT_TYPE"); - var code = c.generateId("EXPERIMENT"); - - var fCreate = function(facade) { - var propertyTypeCreation = new dtos.PropertyTypeCreation(); - propertyTypeCreation.setCode(propertyTypeCode); - propertyTypeCreation.setDescription("hello"); - propertyTypeCreation.setDataType(dtos.DataType.SAMPLE); - propertyTypeCreation.setLabel("Test Property Type"); - return facade.createPropertyTypes([ propertyTypeCreation ]).then(function(results) { - var assignmentCreation = new dtos.PropertyAssignmentCreation(); - assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)); - var experimentTypeCreation = new dtos.ExperimentTypeCreation(); - experimentTypeCreation.setCode(experimentTypeCode); - experimentTypeCreation.setPropertyAssignments([ assignmentCreation ]); - return facade.createExperimentTypes([ experimentTypeCreation ]).then(function(results) { - var creation = new dtos.ExperimentCreation(); - creation.setTypeId(new dtos.EntityTypePermId(experimentTypeCode)); - creation.setCode(code); - creation.setProjectId(new dtos.ProjectIdentifier("/TEST/TEST-PROJECT")); - creation.setProperty(propertyTypeCode, "20130412140147735-20"); - return facade.createExperiments([ creation ]); - }); - }); - } - - var fUpdate = function(facade, permId) { - var update = new dtos.ExperimentUpdate(); - update.setExperimentId(permId); - update.setProperty(propertyTypeCode, "20130412140147736-21"); - return facade.updateExperiments([ update ]); - } - - var fCheck = function(experiment) { - c.assertEqual(experiment.getCode(), code, "Experiment code"); - c.assertEqual(experiment.getType().getCode(), experimentTypeCode, "Type code"); - c.assertEqual(experiment.getProject().getCode(), "TEST-PROJECT", "Project code"); - c.assertEqual(experiment.getProject().getSpace().getCode(), "TEST", "Space code"); - c.assertEqual(experiment.getSampleProperties()[propertyTypeCode][0].getIdentifier().getIdentifier(), "/PLATONIC/SCREENING-EXAMPLES/PLATE-2", "Sample property"); - c.assertEqual(experiment.getHistory()[0].getPropertyName(), propertyTypeCode, "Previous sample property name"); - c.assertEqual(experiment.getHistory()[0].getPropertyValue(), "20130412140147735-20", "Previous sample property value"); - } - - testUpdate(c, fCreate, fUpdate, c.findExperiment, fCheck); - }); - - QUnit.test("updateExperiment() change multi-value property of type SAMPLE", function(assert) { - var c = new common(assert, dtos); - var propertyTypeCode = c.generateId("PROPERTY_TYPE"); - var experimentTypeCode = c.generateId("EXPERIMENT_TYPE"); - var code = c.generateId("EXPERIMENT"); - - var fCreate = function(facade) { - var propertyTypeCreation = new dtos.PropertyTypeCreation(); - propertyTypeCreation.setCode(propertyTypeCode); - propertyTypeCreation.setDescription("hello"); - propertyTypeCreation.setDataType(dtos.DataType.SAMPLE); - propertyTypeCreation.setLabel("Test Property Type"); - propertyTypeCreation.setMultiValue(true); - return facade.createPropertyTypes([ propertyTypeCreation ]).then(function(results) { - var assignmentCreation = new dtos.PropertyAssignmentCreation(); - assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)); - var experimentTypeCreation = new dtos.ExperimentTypeCreation(); - experimentTypeCreation.setCode(experimentTypeCode); - experimentTypeCreation.setPropertyAssignments([ assignmentCreation ]); - return facade.createExperimentTypes([ experimentTypeCreation ]).then(function(results) { - var creation = new dtos.ExperimentCreation(); - creation.setTypeId(new dtos.EntityTypePermId(experimentTypeCode)); - creation.setCode(code); - creation.setProjectId(new dtos.ProjectIdentifier("/TEST/TEST-PROJECT")); - creation.setProperty(propertyTypeCode, ["20130412140147735-20", "20130424134657597-433"]); - return facade.createExperiments([ creation ]); - }); - }); - } - - var fUpdate = function(facade, permId) { - var update = new dtos.ExperimentUpdate(); - update.setExperimentId(permId); - update.setProperty(propertyTypeCode, "20130412140147736-21"); - return facade.updateExperiments([ update ]); - } - - var fCheck = function(experiment) { - c.assertEqual(experiment.getCode(), code, "Experiment code"); - c.assertEqual(experiment.getType().getCode(), experimentTypeCode, "Type code"); - c.assertEqual(experiment.getProject().getCode(), "TEST-PROJECT", "Project code"); - c.assertEqual(experiment.getProject().getSpace().getCode(), "TEST", "Space code"); - c.assertEqual(experiment.getSampleProperties()[propertyTypeCode][0].getIdentifier().getIdentifier(), "/PLATONIC/SCREENING-EXAMPLES/PLATE-2", "Sample property"); - - var history = experiment.getHistory().filter(x => x.propertyName == propertyTypeCode && x.validTo); - c.assertEqual(history.length, 2, "Previous sample property name"); - c.assertEqual(history.map(x => x.propertyValue).sort().toString(), ["20130412140147735-20", "20130424134657597-433"].toString(), "Previous sample property value"); - - } - - testUpdate(c, fCreate, fUpdate, c.findExperiment, fCheck); - }); - - QUnit.test("updateSampleTypes()", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("SAMPLE_TYPE"); - - var fCreate = function(facade) { - var assignmentCreation = new dtos.PropertyAssignmentCreation(); - assignmentCreation.setSection("test section"); - assignmentCreation.setOrdinal(10); - assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId("DESCRIPTION")); - assignmentCreation.setPluginId(new dtos.PluginPermId("Diff_time")); - assignmentCreation.setMandatory(true); - assignmentCreation.setInitialValueForExistingEntities("initial value"); - assignmentCreation.setShowInEditView(true); - assignmentCreation.setShowRawValueInForms(true); - - var creation = new dtos.SampleTypeCreation(); - creation.setCode(code); - creation.setDescription("a new description"); - creation.setGeneratedCodePrefix("TEST_PREFIX"); - creation.setPropertyAssignments([ assignmentCreation ]); - creation.setMetaData({"sample_type_update":"old_value", "sample_type_delete":"del_value"}); - - return facade.createSampleTypes([ creation ]); - } - - var fUpdate = function(facade, permId) { - var assignmentCreation = new dtos.PropertyAssignmentCreation(); - assignmentCreation.setSection("test section 2"); - assignmentCreation.setOrdinal(10); - assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId("VERSION")); - assignmentCreation.setPluginId(new dtos.PluginPermId("Diff_time")); - assignmentCreation.setMandatory(true); - assignmentCreation.setInitialValueForExistingEntities("1.0"); - assignmentCreation.setShowInEditView(true); - assignmentCreation.setShowRawValueInForms(true); - var update = new dtos.SampleTypeUpdate(); - update.setTypeId(permId); - update.setAutoGeneratedCode(true); - update.setSubcodeUnique(true); - update.setDescription("another new description"); - update.setGeneratedCodePrefix("TEST_PREFIX2"); - update.setListable(true); - update.setShowContainer(true); - update.setShowParents(true); - update.setShowParentMetadata(true); - update.setValidationPluginId(new dtos.PluginPermId("Has_Parents")); - update.getPropertyAssignments().add([ assignmentCreation ]); - update.getPropertyAssignments().remove([ new dtos.PropertyAssignmentPermId(permId, new dtos.PropertyTypePermId("DESCRIPTION")) ]); - update.getMetaData().put("sample_type_update", "new_value"); - update.getMetaData().add({"sample_type_add":"add_value"}); - update.getMetaData().remove("sample_type_delete"); - return facade.updateSampleTypes([ update ]); - } - - var fCheck = function(type) { - c.assertEqual(type.getCode(), code, "Type code"); - c.assertEqual(type.getPermId().getPermId(), code, "Type perm id"); - c.assertEqual(type.getDescription(), "another new description", "Description"); - c.assertEqual(type.isAutoGeneratedCode(), true, "AutoGeneratedCode"); - c.assertEqual(type.isSubcodeUnique(), true, "SubcodeUnique"); - c.assertEqual(type.getGeneratedCodePrefix(), "TEST_PREFIX2", "GeneratedCodePrefix"); - c.assertEqual(type.isListable(), true, "Listable"); - c.assertEqual(type.isShowContainer(), true, "ShowContainer"); - c.assertEqual(type.isShowParents(), true, "ShowParents"); - c.assertEqual(type.isShowParentMetadata(), true, "ShowParentMetadata"); - - c.assertEqual(type.getPropertyAssignments().length, 1, "Assignments count"); - - var assignment = type.getPropertyAssignments()[0]; - - c.assertEqual(assignment.getSection(), "test section 2", "Assignment section"); - c.assertEqual(assignment.getOrdinal(), 10, "Assignment ordinal"); - c.assertEqual(assignment.getPropertyType().getCode(), "VERSION", "Assignment property type code"); - c.assertEqual(assignment.isMandatory(), true, "Assignment mandatory"); - c.assertEqual(assignment.isShowInEditView(), true, "Assignment ShowInEditView"); - c.assertEqual(assignment.isShowRawValueInForms(), true, "Assignment ShowRawValueInForms"); - - var metaData = type.getMetaData(); - c.assertEqual(metaData["sample_type_update"], "new_value", "Metadata update"); - c.assertEqual(metaData["sample_type_add"], "add_value", "Metadata add"); - c.assertEqual(metaData["sample_type_delete"], undefined, "Metadata delete"); - } - - testUpdate(c, fCreate, fUpdate, c.findSampleType, fCheck); - }); - - QUnit.test("updateSamples()", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("SAMPLE"); - - var fCreate = function(facade) { - var creation = new dtos.SampleCreation(); - creation.setTypeId(new dtos.EntityTypePermId("UNKNOWN")); - creation.setCode(code); - creation.setSpaceId(new dtos.SpacePermId("TEST")); - creation.setTagIds([ new dtos.TagCode("CREATE_JSON_TAG") ]); - creation.setMetaData({"sample_update":"old_value", "sample_delete":"del_value"}); - return facade.createSamples([ creation ]); - } - - var fUpdate = function(facade, permId) { - var update = new dtos.SampleUpdate(); - update.setSampleId(permId); - update.getTagIds().remove(new dtos.TagCode("CREATE_JSON_TAG")); - update.getTagIds().add(new dtos.TagCode("CREATE_JSON_TAG_2")); - update.getTagIds().add(new dtos.TagCode("CREATE_JSON_TAG_3")); - update.getMetaData().put("sample_update", "new_value"); - update.getMetaData().add({"sample_add":"add_value"}); - update.getMetaData().remove("sample_delete"); - return facade.updateSamples([ update ]); - } - - var fCheck = function(sample) { - c.assertEqual(sample.getCode(), code, "Sample code"); - c.assertEqual(sample.getType().getCode(), "UNKNOWN", "Type code"); - c.assertEqual(sample.getSpace().getCode(), "TEST", "Space code"); - c.assertObjectsCount(sample.getTags(), 2); - c.assertObjectsWithValues(sample.getTags(), "code", [ "CREATE_JSON_TAG_2", "CREATE_JSON_TAG_3" ]); - - var metaData = sample.getMetaData(); - c.assertEqual(metaData["sample_update"], "new_value", "Metadata update"); - c.assertEqual(metaData["sample_add"], "add_value", "Metadata add"); - c.assertEqual(metaData["sample_delete"], undefined, "Metadata delete"); - } - - testUpdate(c, fCreate, fUpdate, c.findSample, fCheck); - }); - - QUnit.test("updateSamples() turn project sample into a space sample", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("SAMPLE"); - - var fCreate = function(facade) { - var creation = new dtos.SampleCreation(); - creation.setTypeId(new dtos.EntityTypePermId("UNKNOWN")); - creation.setCode(code); - creation.setSpaceId(new dtos.SpacePermId("TEST")); - creation.setProjectId(new dtos.ProjectIdentifier("/TEST/TEST-PROJECT")); - return facade.createSamples([ creation ]); - } - - var fUpdate = function(facade, permId) { - var update = new dtos.SampleUpdate(); - update.setSampleId(permId); - update.setProjectId(null); - update.setSpaceId(new dtos.SpacePermId("PLATONIC")); - return facade.updateSamples([ update ]); - } - - var fCheck = function(sample) { - c.assertEqual(sample.getCode(), code, "Sample code"); - c.assertEqual(sample.getType().getCode(), "UNKNOWN", "Type code"); - c.assertEqual(sample.getIdentifier(), "/PLATONIC/" + code, "Identifier"); - c.assertEqual(sample.getProject(), null, "Project"); - c.assertEqual(sample.getSpace().getCode(), "PLATONIC", "Space code"); - } - - testUpdate(c, fCreate, fUpdate, c.findSample, fCheck); - }); - - QUnit.test("updateSamples() turn space sample into a project sample", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("SAMPLE"); - - var fCreate = function(facade) { - var creation = new dtos.SampleCreation(); - creation.setTypeId(new dtos.EntityTypePermId("UNKNOWN")); - creation.setCode(code); - creation.setSpaceId(new dtos.SpacePermId("TEST")); - return facade.createSamples([ creation ]); - } - - var fUpdate = function(facade, permId) { - var update = new dtos.SampleUpdate(); - update.setSampleId(permId); - update.setProjectId(new dtos.ProjectIdentifier("/PLATONIC/SCREENING-EXAMPLES")); - update.setSpaceId(new dtos.SpacePermId("PLATONIC")); - return facade.updateSamples([ update ]); - } - - var fCheck = function(sample) { - c.assertEqual(sample.getCode(), code, "Sample code"); - c.assertEqual(sample.getType().getCode(), "UNKNOWN", "Type code"); - c.assertEqual(sample.getIdentifier(), "/PLATONIC/SCREENING-EXAMPLES/" + code, "Identifier"); - c.assertEqual(sample.getProject().getIdentifier(), "/PLATONIC/SCREENING-EXAMPLES", "Project"); - c.assertEqual(sample.getSpace().getCode(), "PLATONIC", "Space code"); - } - - testUpdate(c, fCreate, fUpdate, c.findSample, fCheck); - }); - - QUnit.test("updateSamples() with annotated parent and child", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("SAMPLE"); - var parentId = new dtos.SampleIdentifier("/TEST/TEST-SAMPLE-1"); - var childId = new dtos.SampleIdentifier("/TEST/TEST-PROJECT/TEST-SAMPLE-2"); - - var fCreate = function(facade) { - var creation = new dtos.SampleCreation(); - creation.setTypeId(new dtos.EntityTypePermId("UNKNOWN")); - creation.setCode(code); - creation.setSpaceId(new dtos.SpacePermId("TEST")); - creation.setParentIds([ parentId ]); - creation.setChildIds([ childId ]); - creation.relationship(parentId).addParentAnnotation("type", "father").addChildAnnotation("type", "daughter"); - creation.relationship(childId).addParentAnnotation("type", "mother").addChildAnnotation("type", "son") - .addParentAnnotation("color", "red"); - return facade.createSamples([ creation ]); - } - - var fUpdate = function(facade, permId) { - var update = new dtos.SampleUpdate(); - update.setSampleId(permId); - var parentRelationShip = update.relationship(parentId); - parentRelationShip.removeChildAnnotations("type").addChildAnnotation("color", "blue") - .addParentAnnotation("color", "yellow"); - var childRelationShip = update.relationship(childId); - childRelationShip.addParentAnnotation("color", "green").removeParentAnnotations("type") - .addChildAnnotation("color", "black"); - return facade.updateSamples([ update ]); - } - - var fCheck = function(sample) { - c.assertEqual(sample.getCode(), code, "Sample code"); - c.assertEqual(sample.getType().getCode(), "UNKNOWN", "Type code"); - c.assertEqual(sample.getSpace().getCode(), "TEST", "Space code"); - var parent = sample.getParents()[0]; - c.assertEqual(parent.getIdentifier().getIdentifier(), parentId.getIdentifier(), "Parent"); - var parentRelationship = sample.getParentRelationship(parent.getPermId()); - c.assertEqualDictionary(parentRelationship.getChildAnnotations(), {"color": "blue"}, "Parent -> child annotations"); - c.assertEqualDictionary(parentRelationship.getParentAnnotations(), {"type": "father", "color": "yellow"}, "Parent -> parent annotations"); - var child = sample.getChildren()[0]; - c.assertEqual(child.getIdentifier().getIdentifier(), childId.getIdentifier(), "Child"); - var childRelationship = sample.getChildRelationship(child.getPermId()); - c.assertEqualDictionary(childRelationship.getChildAnnotations(), {"type": "son", "color": "black"}, "Child -> child annotations"); - c.assertEqualDictionary(childRelationship.getParentAnnotations(), {"color": "green"}, "Child -> parent annotations"); - - } - - testUpdate(c, fCreate, fUpdate, c.findSample, fCheck); - }); - - QUnit.test("updateSamples() change property of type SAMPLE", function(assert) { - var c = new common(assert, dtos); - var propertyTypeCode = c.generateId("PROPERTY_TYPE"); - var sampleTypeCode = c.generateId("SAMPLE_TYPE"); - var code = c.generateId("SAMPLE"); - - var fCreate = function(facade) { - var propertyTypeCreation = new dtos.PropertyTypeCreation(); - propertyTypeCreation.setCode(propertyTypeCode); - propertyTypeCreation.setDescription("hello"); - propertyTypeCreation.setDataType(dtos.DataType.SAMPLE); - propertyTypeCreation.setLabel("Test Property Type"); - return facade.createPropertyTypes([ propertyTypeCreation ]).then(function(results) { - var assignmentCreation = new dtos.PropertyAssignmentCreation(); - assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)); - var sampleTypeCreation = new dtos.SampleTypeCreation(); - sampleTypeCreation.setCode(sampleTypeCode); - sampleTypeCreation.setPropertyAssignments([ assignmentCreation ]); - return facade.createSampleTypes([ sampleTypeCreation ]).then(function(results) { - var creation = new dtos.SampleCreation(); - creation.setTypeId(new dtos.EntityTypePermId(sampleTypeCode)); - creation.setCode(code); - creation.setSpaceId(new dtos.SpacePermId("TEST")); - creation.setProperty(propertyTypeCode, "20130412140147735-20"); - return facade.createSamples([ creation ]); - }); - }); - } - - var fUpdate = function(facade, permId) { - var update = new dtos.SampleUpdate(); - update.setSampleId(permId); - update.setProperty(propertyTypeCode, "20130412140147736-21"); - return facade.updateSamples([ update ]); - } - - var fCheck = function(sample) { - c.assertEqual(sample.getCode(), code, "Sample code"); - c.assertEqual(sample.getType().getCode(), sampleTypeCode, "Type code"); - c.assertEqual(sample.getSpace().getCode(), "TEST", "Space code"); - c.assertEqual(sample.getSampleProperties()[propertyTypeCode][0].getIdentifier().getIdentifier(), "/PLATONIC/SCREENING-EXAMPLES/PLATE-2", "Sample property"); - c.assertEqual(sample.getHistory()[0].getPropertyName(), propertyTypeCode, "Previous sample property name"); - c.assertEqual(sample.getHistory()[0].getPropertyValue(), "20130412140147735-20", "Previous sample property value"); - } - - testUpdate(c, fCreate, fUpdate, c.findSample, fCheck); - }); - - QUnit.test("updateSamples() change multi-value property of type SAMPLE", function(assert) { - var c = new common(assert, dtos); - var propertyTypeCode = c.generateId("PROPERTY_TYPE"); - var sampleTypeCode = c.generateId("SAMPLE_TYPE"); - var code = c.generateId("SAMPLE"); - - var fCreate = function(facade) { - var propertyTypeCreation = new dtos.PropertyTypeCreation(); - propertyTypeCreation.setCode(propertyTypeCode); - propertyTypeCreation.setDescription("hello"); - propertyTypeCreation.setDataType(dtos.DataType.SAMPLE); - propertyTypeCreation.setLabel("Test Property Type"); - propertyTypeCreation.setMultiValue(true); - return facade.createPropertyTypes([ propertyTypeCreation ]).then(function(results) { - var assignmentCreation = new dtos.PropertyAssignmentCreation(); - assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)); - var sampleTypeCreation = new dtos.SampleTypeCreation(); - sampleTypeCreation.setCode(sampleTypeCode); - sampleTypeCreation.setPropertyAssignments([ assignmentCreation ]); - return facade.createSampleTypes([ sampleTypeCreation ]).then(function(results) { - var creation = new dtos.SampleCreation(); - creation.setTypeId(new dtos.EntityTypePermId(sampleTypeCode)); - creation.setCode(code); - creation.setSpaceId(new dtos.SpacePermId("TEST")); - creation.setProperty(propertyTypeCode, ["20130412140147735-20", "20130424134657597-433"]); - return facade.createSamples([ creation ]); - }); - }); - } - - var fUpdate = function(facade, permId) { - var update = new dtos.SampleUpdate(); - update.setSampleId(permId); - update.setProperty(propertyTypeCode, "20130412140147736-21"); - return facade.updateSamples([ update ]); - } - - var fCheck = function(sample) { - c.assertEqual(sample.getCode(), code, "Sample code"); - c.assertEqual(sample.getType().getCode(), sampleTypeCode, "Type code"); - c.assertEqual(sample.getSpace().getCode(), "TEST", "Space code"); - c.assertEqual(sample.getSampleProperties()[propertyTypeCode][0].getIdentifier().getIdentifier(), "/PLATONIC/SCREENING-EXAMPLES/PLATE-2", "Sample property"); - var history = sample.getHistory().filter(x => x.propertyName == propertyTypeCode && x.validTo); - c.assertEqual(history.length, 2, "Previous sample property name"); - c.assertEqual(history.map(x => x.propertyValue).sort().toString(), ["20130412140147735-20", "20130424134657597-433"].toString(), "Previous sample property value"); - } - - testUpdate(c, fCreate, fUpdate, c.findSample, fCheck); - }); - - QUnit.test("updateSamples() remove property of type SAMPLE", function(assert) { - var c = new common(assert, dtos); - var propertyTypeCode = c.generateId("PROPERTY_TYPE"); - var sampleTypeCode = c.generateId("SAMPLE_TYPE"); - var code = c.generateId("SAMPLE"); - - var fCreate = function(facade) { - var propertyTypeCreation = new dtos.PropertyTypeCreation(); - propertyTypeCreation.setCode(propertyTypeCode); - propertyTypeCreation.setDescription("hello"); - propertyTypeCreation.setDataType(dtos.DataType.SAMPLE); - propertyTypeCreation.setLabel("Test Property Type"); - return facade.createPropertyTypes([ propertyTypeCreation ]).then(function(results) { - var assignmentCreation = new dtos.PropertyAssignmentCreation(); - assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)); - var sampleTypeCreation = new dtos.SampleTypeCreation(); - sampleTypeCreation.setCode(sampleTypeCode); - sampleTypeCreation.setPropertyAssignments([ assignmentCreation ]); - return facade.createSampleTypes([ sampleTypeCreation ]).then(function(results) { - var creation = new dtos.SampleCreation(); - creation.setTypeId(new dtos.EntityTypePermId(sampleTypeCode)); - creation.setCode(code); - creation.setSpaceId(new dtos.SpacePermId("TEST")); - creation.setProperty(propertyTypeCode, "20130412140147735-20"); - return facade.createSamples([ creation ]); - }); - }); - } - - var fUpdate = function(facade, permId) { - var update = new dtos.SampleUpdate(); - update.setSampleId(permId); - update.setProperty(propertyTypeCode, null); - return facade.updateSamples([ update ]); - } - - var fCheck = function(sample) { - c.assertEqual(sample.getCode(), code, "Sample code"); - c.assertEqual(sample.getType().getCode(), sampleTypeCode, "Type code"); - c.assertEqual(sample.getSpace().getCode(), "TEST", "Space code"); - c.assertObjectsCount(Object.keys(sample.getSampleProperties()), 0); - c.assertEqual(sample.getHistory()[0].getPropertyName(), propertyTypeCode, "Previous sample property name"); - c.assertEqual(sample.getHistory()[0].getPropertyValue(), "20130412140147735-20", "Previous sample property value"); - } - - testUpdate(c, fCreate, fUpdate, c.findSample, fCheck); - }); - - QUnit.test("updateDataSetTypes()", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("DATA_SET_TYPE"); - - var fCreate = function(facade) { - var assignmentCreation = new dtos.PropertyAssignmentCreation(); - assignmentCreation.setSection("test section"); - assignmentCreation.setOrdinal(10); - assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId("DESCRIPTION")); - assignmentCreation.setPluginId(new dtos.PluginPermId("Diff_time")); - assignmentCreation.setMandatory(true); - assignmentCreation.setInitialValueForExistingEntities("initial value"); - assignmentCreation.setShowInEditView(true); - assignmentCreation.setShowRawValueInForms(true); - - var creation = new dtos.DataSetTypeCreation(); - creation.setCode(code); - creation.setDescription("a new description"); - creation.setPropertyAssignments([ assignmentCreation ]); - creation.setMetaData({"dataset_type_update":"old_value", "dataset_type_delete":"del_value"}); - - return facade.createDataSetTypes([ creation ]); - } - - var fUpdate = function(facade, permId) { - var assignmentCreation = new dtos.PropertyAssignmentCreation(); - assignmentCreation.setSection("test section 2"); - assignmentCreation.setOrdinal(10); - assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId("VERSION")); - assignmentCreation.setPluginId(new dtos.PluginPermId("Diff_time")); - assignmentCreation.setMandatory(true); - assignmentCreation.setInitialValueForExistingEntities("1.0"); - assignmentCreation.setShowInEditView(true); - assignmentCreation.setShowRawValueInForms(true); - var update = new dtos.DataSetTypeUpdate(); - update.setTypeId(permId); - update.setDescription("another new description"); - update.setValidationPluginId(new dtos.PluginPermId("Has_Parents")); - update.setMainDataSetPattern(".*\\.jpg"); - update.setMainDataSetPath("original/images/"); - update.setDisallowDeletion(true); - update.getPropertyAssignments().set([ assignmentCreation ]); - update.getMetaData().put("dataset_type_update", "new_value"); - update.getMetaData().add({"dataset_type_add":"add_value"}); - update.getMetaData().remove("dataset_type_delete"); - return facade.updateDataSetTypes([ update ]); - } - - var fCheck = function(type) { - c.assertEqual(type.getCode(), code, "Type code"); - c.assertEqual(type.getPermId().getPermId(), code, "Type perm id"); - c.assertEqual(type.getDescription(), "another new description", "Description"); - c.assertEqual(type.getMainDataSetPattern(), ".*\\.jpg", "Main data set pattern"); - c.assertEqual(type.getMainDataSetPath(), "original/images/", "Main data set path"); - c.assertEqual(type.isDisallowDeletion(), true, "Disallow deletion"); - - c.assertEqual(type.getPropertyAssignments().length, 1, "Assignments count"); - - var assignment = type.getPropertyAssignments()[0]; - - c.assertEqual(assignment.getSection(), "test section 2", "Assignment section"); - c.assertEqual(assignment.getOrdinal(), 10, "Assignment ordinal"); - c.assertEqual(assignment.getPropertyType().getCode(), "VERSION", "Assignment property type code"); - c.assertEqual(assignment.isMandatory(), true, "Assignment mandatory"); - c.assertEqual(assignment.isShowInEditView(), true, "Assignment ShowInEditView"); - c.assertEqual(assignment.isShowRawValueInForms(), true, "Assignment ShowRawValueInForms"); - - var metaData = type.getMetaData(); - c.assertEqual(metaData["dataset_type_update"], "new_value", "Metadata update"); - c.assertEqual(metaData["dataset_type_add"], "add_value", "Metadata add"); - c.assertEqual(metaData["dataset_type_delete"], undefined, "Metadata delete"); - } - - testUpdate(c, fCreate, fUpdate, c.findDataSetType, fCheck); - }); - - QUnit.test("updateDataSets()", function(assert) { - var c = new common(assert, dtos); - var code = null; - - var fCreate = function(facade) { - return c.createDataSet(facade).then(function(permId) { - code = permId.getPermId(); - return [ permId ]; - }); - } - - var fUpdate = function(facade, permId) { - var physicalUpdate = new dtos.PhysicalDataUpdate(); - physicalUpdate.setFileFormatTypeId(new dtos.FileFormatTypePermId("TIFF")); - physicalUpdate.setArchivingRequested(true); - - var update = new dtos.DataSetUpdate(); - update.setDataSetId(permId); - update.setProperty("NOTES", "new 409 description"); - update.setPhysicalData(physicalUpdate); - - return facade.updateDataSets([ update ]); - } - - var fCheck = function(dataSet) { - c.assertEqual(dataSet.getCode(), code, "Code"); - c.assertEqual(dataSet.getProperties()["NOTES"], "new 409 description", "Property NOTES"); - c.assertEqual(dataSet.getPhysicalData().getFileFormatType().getCode(), "TIFF", "File format type"); - c.assertEqual(dataSet.getPhysicalData().isArchivingRequested(), true, "Archiving requested"); - } - - testUpdate(c, fCreate, fUpdate, c.findDataSet, fCheck); - }); - - QUnit.test("updateDataSet() change property of type SAMPLE", function(assert) { - var c = new common(assert, dtos); - var propertyTypeCode = c.generateId("PROPERTY_TYPE"); - var dataSetTypeCode = c.generateId("DATA_SET_TYPE"); - var code = c.generateId("DATA_SET"); - - var fCreate = function(facade) { - var propertyTypeCreation = new dtos.PropertyTypeCreation(); - propertyTypeCreation.setCode(propertyTypeCode); - propertyTypeCreation.setDescription("hello"); - propertyTypeCreation.setDataType(dtos.DataType.SAMPLE); - propertyTypeCreation.setLabel("Test Property Type"); - return facade.createPropertyTypes([ propertyTypeCreation ]).then(function(results) { - var assignmentCreation = new dtos.PropertyAssignmentCreation(); - assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)); - var dataSetTypeCreation = new dtos.DataSetTypeCreation(); - dataSetTypeCreation.setCode(dataSetTypeCode); - dataSetTypeCreation.setPropertyAssignments([ assignmentCreation ]); - return facade.createDataSetTypes([ dataSetTypeCreation ]).then(function(results) { - var creation = new dtos.DataSetCreation(); - creation.setTypeId(new dtos.EntityTypePermId(dataSetTypeCode)); - creation.setCode(code); - creation.setDataSetKind(dtos.DataSetKind.CONTAINER); - creation.setDataStoreId(new dtos.DataStorePermId("DSS1")); - creation.setExperimentId(new dtos.ExperimentIdentifier("/TEST/TEST-PROJECT/TEST-EXPERIMENT")); - creation.setProperty(propertyTypeCode, "20130412140147735-20"); - creation.setMetaData({"dataset_update":"old_value", "dataset_delete":"del_value"}); - return facade.createDataSets([ creation ]); - }); - }); - } - - var fUpdate = function(facade, permId) { - var update = new dtos.DataSetUpdate(); - update.setDataSetId(permId); - update.setProperty(propertyTypeCode, "20130412140147736-21"); - update.getMetaData().put("dataset_update", "new_value"); - update.getMetaData().add({"dataset_add":"add_value"}); - update.getMetaData().remove("dataset_delete"); - return facade.updateDataSets([ update ]); - } - - var fCheck = function(dataSet) { - c.assertEqual(dataSet.getCode(), code, "Data set code"); - c.assertEqual(dataSet.getType().getCode(), dataSetTypeCode, "Type code"); - c.assertEqual(dataSet.getSampleProperties()[propertyTypeCode][0].getIdentifier().getIdentifier(), "/PLATONIC/SCREENING-EXAMPLES/PLATE-2", "Sample property"); - c.assertEqual(dataSet.getHistory()[0].getPropertyName(), propertyTypeCode, "Previous sample property name"); - c.assertEqual(dataSet.getHistory()[0].getPropertyValue(), "20130412140147735-20", "Previous sample property value"); - - var metaData = dataSet.getMetaData(); - c.assertEqual(metaData["dataset_update"], "new_value", "Metadata update"); - c.assertEqual(metaData["dataset_add"], "add_value", "Metadata add"); - c.assertEqual(metaData["dataset_delete"], undefined, "Metadata delete"); - } - - testUpdate(c, fCreate, fUpdate, c.findDataSet, fCheck); - }); - - QUnit.test("updateDataSet() change multi-value property of type SAMPLE", function(assert) { - var c = new common(assert, dtos); - var propertyTypeCode = c.generateId("PROPERTY_TYPE"); - var dataSetTypeCode = c.generateId("DATA_SET_TYPE"); - var code = c.generateId("DATA_SET"); - - var fCreate = function(facade) { - var propertyTypeCreation = new dtos.PropertyTypeCreation(); - propertyTypeCreation.setCode(propertyTypeCode); - propertyTypeCreation.setDescription("hello"); - propertyTypeCreation.setDataType(dtos.DataType.SAMPLE); - propertyTypeCreation.setLabel("Test Property Type"); - propertyTypeCreation.setMultiValue(true); - return facade.createPropertyTypes([ propertyTypeCreation ]).then(function(results) { - var assignmentCreation = new dtos.PropertyAssignmentCreation(); - assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)); - var dataSetTypeCreation = new dtos.DataSetTypeCreation(); - dataSetTypeCreation.setCode(dataSetTypeCode); - dataSetTypeCreation.setPropertyAssignments([ assignmentCreation ]); - return facade.createDataSetTypes([ dataSetTypeCreation ]).then(function(results) { - var creation = new dtos.DataSetCreation(); - creation.setTypeId(new dtos.EntityTypePermId(dataSetTypeCode)); - creation.setCode(code); - creation.setDataSetKind(dtos.DataSetKind.CONTAINER); - creation.setDataStoreId(new dtos.DataStorePermId("DSS1")); - creation.setExperimentId(new dtos.ExperimentIdentifier("/TEST/TEST-PROJECT/TEST-EXPERIMENT")); - creation.setProperty(propertyTypeCode, ["20130412140147735-20", "20130424134657597-433"]); - creation.setMetaData({"dataset_update":"old_value", "dataset_delete":"del_value"}); - return facade.createDataSets([ creation ]); - }); - }); - } - - var fUpdate = function(facade, permId) { - var update = new dtos.DataSetUpdate(); - update.setDataSetId(permId); - update.setProperty(propertyTypeCode, "20130412140147736-21"); - update.getMetaData().put("dataset_update", "new_value"); - update.getMetaData().add({"dataset_add":"add_value"}); - update.getMetaData().remove("dataset_delete"); - return facade.updateDataSets([ update ]); - } - - var fCheck = function(dataSet) { - c.assertEqual(dataSet.getCode(), code, "Data set code"); - c.assertEqual(dataSet.getType().getCode(), dataSetTypeCode, "Type code"); - c.assertEqual(dataSet.getSampleProperties()[propertyTypeCode][0].getIdentifier().getIdentifier(), "/PLATONIC/SCREENING-EXAMPLES/PLATE-2", "Sample property"); - var history = dataSet.getHistory().filter(x => x.propertyName == propertyTypeCode && x.validTo); - c.assertEqual(history.length, 2, "Previous sample property name"); - c.assertEqual(history.map(x => x.propertyValue).sort().toString(), ["20130412140147735-20", "20130424134657597-433"].toString(), "Previous sample property value"); - - var metaData = dataSet.getMetaData(); - c.assertEqual(metaData["dataset_update"], "new_value", "Metadata update"); - c.assertEqual(metaData["dataset_add"], "add_value", "Metadata add"); - c.assertEqual(metaData["dataset_delete"], undefined, "Metadata delete"); - } - - testUpdate(c, fCreate, fUpdate, c.findDataSet, fCheck); - }); - - QUnit.test("updateDataSets() link data set", function(assert) { - var c = new common(assert, dtos); - var code = "20160613195437233-437"; - - var fCreate = function(facade) { - return [ new dtos.DataSetPermId(code) ]; - } - - var fUpdate = function(facade, permId) { - var linkUpdate = new dtos.LinkedDataUpdate(); - linkUpdate.setExternalCode("new code"); - - var update = new dtos.DataSetUpdate(); - update.setDataSetId(permId); - update.setLinkedData(linkUpdate); - - return facade.updateDataSets([ update ]); - } - - var fCheck = function(dataSet) { - c.assertEqual(dataSet.getCode(), code, "Code"); - c.assertEqual(dataSet.getLinkedData().getExternalCode(), "new code", "External code"); - c.assertEqual(dataSet.getLinkedData().getExternalDms().getPermId().toString(), "DMS_1", "External DMS"); - } - - testUpdate(c, fCreate, fUpdate, c.findDataSet, fCheck); - }); - - QUnit.test("updateDataSets() add content copy to link data set", function(assert) { - var c = new common(assert, dtos); - var edmsId = null; - - var fCreate = function(facade) { - return c.createLinkDataSet(facade, "root/path", "my-hash", "my-repository-id").then(function(permId) { - code = permId.getPermId(); - return [ permId ]; - }); - } - - var fUpdate = function(facade, permId) { - return c.findDataSet(facade, permId).then(function(dataSet) { - var contentCopy = dataSet.getLinkedData().getContentCopies()[0]; - edmsId = contentCopy.getExternalDms().getPermId(); - var contentCopyListUpdateValue = new dtos.ContentCopyListUpdateValue(); - var contentCopyCreation = new dtos.ContentCopyCreation(); - contentCopyCreation.setExternalDmsId(edmsId); - contentCopyCreation.setPath("my/data/path"); - contentCopyCreation.setGitCommitHash("my-git-hash"); - contentCopyCreation.setGitRepositoryId("my-git-repository-id"); - contentCopyListUpdateValue.add([ contentCopyCreation ]); - contentCopyListUpdateValue.remove([ contentCopy.getId() ]); - - var linkUpdate = new dtos.LinkedDataUpdate(); - linkUpdate.setContentCopyActions(contentCopyListUpdateValue.getActions()); - - var update = new dtos.DataSetUpdate(); - update.setDataSetId(permId); - update.setLinkedData(linkUpdate); - - return facade.updateDataSets([ update ]); - }); - } - - var fCheck = function(dataSet) { - c.assertEqual(dataSet.getCode(), code, "Code"); - var contentCopies = dataSet.getLinkedData().getContentCopies(); - c.assertEqual(contentCopies.length, 1, "Number of content copies"); - c.assertEqual(contentCopies[0].getExternalDms().getPermId().toString(), edmsId.toString(), "External DMS"); - c.assertEqual(contentCopies[0].getExternalCode(), null, "External code"); - c.assertEqual(contentCopies[0].getPath(), "/my/data/path", "Path"); - c.assertEqual(contentCopies[0].getGitCommitHash(), "my-git-hash", "Git commit hash"); - c.assertEqual(contentCopies[0].getGitRepositoryId(), "my-git-repository-id", "Git repository id"); - } - - testUpdate(c, fCreate, fUpdate, c.findDataSet, fCheck); - }); - - QUnit.test("updateMaterialTypes()", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("MATERIAL_TYPE"); - - var fCreate = function(facade) { - var assignmentCreation = new dtos.PropertyAssignmentCreation(); - assignmentCreation.setSection("test section"); - assignmentCreation.setOrdinal(10); - assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId("DESCRIPTION")); - assignmentCreation.setPluginId(new dtos.PluginPermId("Diff_time")); - assignmentCreation.setMandatory(true); - assignmentCreation.setInitialValueForExistingEntities("initial value"); - assignmentCreation.setShowInEditView(true); - assignmentCreation.setShowRawValueInForms(true); - - var creation = new dtos.MaterialTypeCreation(); - creation.setCode(code); - creation.setDescription("a new description"); - creation.setPropertyAssignments([ assignmentCreation ]); - - return facade.createMaterialTypes([ creation ]); - } - - var fUpdate = function(facade, permId) { - var assignmentCreation = new dtos.PropertyAssignmentCreation(); - assignmentCreation.setSection("test section 2"); - assignmentCreation.setOrdinal(10); - assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId("VERSION")); - assignmentCreation.setPluginId(new dtos.PluginPermId("Diff_time")); - assignmentCreation.setMandatory(true); - assignmentCreation.setInitialValueForExistingEntities("1.0"); - assignmentCreation.setShowInEditView(true); - assignmentCreation.setShowRawValueInForms(true); - var update = new dtos.MaterialTypeUpdate(); - update.setTypeId(permId); - update.setDescription("another new description"); - update.setValidationPluginId(new dtos.PluginPermId("Has_Parents")); - update.getPropertyAssignments().add([ assignmentCreation ]); - update.getPropertyAssignments().remove([ new dtos.PropertyAssignmentPermId(permId, new dtos.PropertyTypePermId("DESCRIPTION")) ]); - return facade.updateMaterialTypes([ update ]); - } - - var fCheck = function(type) { - c.assertEqual(type.getCode(), code, "Type code"); - c.assertEqual(type.getPermId().getPermId(), code, "Type perm id"); - c.assertEqual(type.getDescription(), "another new description", "Description"); - - c.assertEqual(type.getPropertyAssignments().length, 1, "Assignments count"); - - var assignment = type.getPropertyAssignments()[0]; - - c.assertEqual(assignment.getSection(), "test section 2", "Assignment section"); - c.assertEqual(assignment.getOrdinal(), 10, "Assignment ordinal"); - c.assertEqual(assignment.getPropertyType().getCode(), "VERSION", "Assignment property type code"); - c.assertEqual(assignment.isMandatory(), true, "Assignment mandatory"); - c.assertEqual(assignment.isShowInEditView(), true, "Assignment ShowInEditView"); - c.assertEqual(assignment.isShowRawValueInForms(), true, "Assignment ShowRawValueInForms"); - } - - testUpdate(c, fCreate, fUpdate, c.findMaterialType, fCheck); - }); - - QUnit.test("updateMaterials()", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("MATERIAL"); - - var fCreate = function(facade) { - var materialCreation = new dtos.MaterialCreation(); - materialCreation.setTypeId(new dtos.EntityTypePermId("COMPOUND")); - materialCreation.setCode(code); - materialCreation.setProperty("DESCRIPTION", "Metal"); - return facade.createMaterials([ materialCreation ]); - } - - var fUpdate = function(facade, permId) { - var materialUpdate = new dtos.MaterialUpdate(); - materialUpdate.setMaterialId(permId); - materialUpdate.setProperty("DESCRIPTION", "Alloy"); - return facade.updateMaterials([ materialUpdate ]); - } - - var fCheck = function(material) { - c.assertEqual(material.getCode(), code, "Material code"); - c.assertEqual(material.getType().getCode(), "COMPOUND", "Type code"); - var properties = material.getProperties(); - c.assertEqual(properties["DESCRIPTION"], "Alloy", "Property DESCRIPTION"); - } - - testUpdate(c, fCreate, fUpdate, c.findMaterial, fCheck); - }); - - QUnit.test("updatePropertyTypes()", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("PROPERTY_TYPE"); - var description = "Description of " + code; - var label = "Label of " + code; - var metaData1 = {"greetings" : "hello test"}; - - var fCreate = function(facade) { - var creation = new dtos.PropertyTypeCreation(); - creation.setCode(code); - creation.setLabel("Testing"); - creation.setDescription("testing"); - creation.setDataType(dtos.DataType.VARCHAR); - creation.setMetaData(metaData1); - return facade.createPropertyTypes([ creation ]); - } - - var fUpdate = function(facade, permId) { - var update = new dtos.PropertyTypeUpdate(); - update.setTypeId(new dtos.PropertyTypePermId(code)); - update.setDescription(description); - update.setLabel(label); - var metaData = update.getMetaData(); - metaData.remove("greetings"); - metaData.put("valid", "true"); - return facade.updatePropertyTypes([ update ]); - } - - var fCheck = function(propertyType) { - c.assertEqual(propertyType.getCode(), code, "Code"); - c.assertEqual(propertyType.getDescription(), description, "Description"); - c.assertEqual(propertyType.getLabel(), label, "Label"); - c.assertEqualDictionary(propertyType.getMetaData(), {"valid" : "true"}, "Meta data"); - } - - testUpdate(c, fCreate, fUpdate, c.findPropertyType, fCheck); - }); - - QUnit.test("updatePropertyTypes() convert data type ", function(assert) { - var c = new common(assert, dtos); - var propertyTypeCode = c.generateId("PROPERTY_TYPE"); - var dataSetTypeCode = c.generateId("DATA_SET_TYPE"); - var code = c.generateId("DATA_SET"); - - var fCreate = function(facade) { - var propertyTypeCreation = new dtos.PropertyTypeCreation(); - propertyTypeCreation.setCode(propertyTypeCode); - propertyTypeCreation.setDescription("hello"); - propertyTypeCreation.setDataType(dtos.DataType.SAMPLE); - propertyTypeCreation.setLabel("Test Property Type"); - return facade.createPropertyTypes([ propertyTypeCreation ]).then(function(results) { - var assignmentCreation = new dtos.PropertyAssignmentCreation(); - assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)); - var dataSetTypeCreation = new dtos.DataSetTypeCreation(); - dataSetTypeCreation.setCode(dataSetTypeCode); - dataSetTypeCreation.setPropertyAssignments([ assignmentCreation ]); - return facade.createDataSetTypes([ dataSetTypeCreation ]).then(function(results) { - var creation = new dtos.DataSetCreation(); - creation.setTypeId(new dtos.EntityTypePermId(dataSetTypeCode)); - creation.setCode(code); - creation.setDataSetKind(dtos.DataSetKind.CONTAINER); - creation.setDataStoreId(new dtos.DataStorePermId("DSS1")); - creation.setExperimentId(new dtos.ExperimentIdentifier("/TEST/TEST-PROJECT/TEST-EXPERIMENT")); - creation.setProperty(propertyTypeCode, "20130412140147735-20"); - return facade.createDataSets([ creation ]); - }); - }); - } - - var fUpdate = function(facade, permId) { - var update = new dtos.PropertyTypeUpdate(); - update.setTypeId(new dtos.PropertyTypePermId(propertyTypeCode)); - update.convertToDataType(dtos.DataType.VARCHAR); - return facade.updatePropertyTypes([ update ]); - } - - var fCheck = function(dataSet) { - c.assertEqual(dataSet.getCode(), code, "Data set code"); - c.assertEqual(dataSet.getType().getCode(), dataSetTypeCode, "Type code"); - c.assertObjectsCount(Object.keys(dataSet.getSampleProperties()), 0); - c.assertEqual(dataSet.getProperties()[propertyTypeCode], "20130412140147735-20", "Property"); - } - - testUpdate(c, fCreate, fUpdate, c.findDataSet, fCheck); - }); - - QUnit.test("updatePlugins()", function(assert) { - var c = new common(assert, dtos); - var name = c.generateId("PLUGIN"); - var description = "Description of " + name; - var script = "print 'hello'"; - - var fCreate = function(facade) { - var creation = new dtos.PluginCreation(); - creation.setName(name); - creation.setScript("pass"); - creation.setDescription("old description"); - creation.setAvailable(false); - creation.setPluginType(dtos.PluginType.MANAGED_PROPERTY); - return facade.createPlugins([ creation ]); - } - - var fUpdate = function(facade, permId) { - var update = new dtos.PluginUpdate(); - update.setPluginId(new dtos.PluginPermId(name)); - update.setDescription(description); - update.setScript(script); - return facade.updatePlugins([ update ]); - } - - var fCheck = function(plugin) { - c.assertEqual(plugin.getName(), name, "Name"); - c.assertEqual(plugin.getDescription(), description, "Description"); - c.assertEqual(plugin.getScript(), script, "Script"); - } - - testUpdate(c, fCreate, fUpdate, c.findPlugin, fCheck); - }); - - QUnit.test("updateVocabularies()", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("VOCABULARY"); - var description = "Description of " + code; - - var fCreate = function(facade) { - var creation = new dtos.VocabularyCreation(); - creation.setCode(code); - return facade.createVocabularies([ creation ]); - } - - var fUpdate = function(facade, permId) { - var update = new dtos.VocabularyUpdate(); - update.setVocabularyId(permId); - update.setDescription(description); - update.setChosenFromList(true); - update.setUrlTemplate("https://www.ethz.ch") - return facade.updateVocabularies([ update ]); - } - - var fCheck = function(vocabulary) { - c.assertEqual(vocabulary.getCode(), code, "Code"); - c.assertEqual(vocabulary.getPermId().getPermId(), code, "Perm id"); - c.assertEqual(vocabulary.getDescription(), description, "Description"); - c.assertEqual(vocabulary.getUrlTemplate(), "https://www.ethz.ch", "URL template"); - } - - testUpdate(c, fCreate, fUpdate, c.findVocabulary, fCheck); - }); - - QUnit.test("updateVocabularyTerms()", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("VOCABULARY_TERM"); - var description = "Description of " + code; - - var fCreate = function(facade) { - var termCreation = new dtos.VocabularyTermCreation(); - termCreation.setVocabularyId(new dtos.VocabularyPermId("TEST-VOCABULARY")); - termCreation.setCode(code); - return facade.createVocabularyTerms([ termCreation ]); - } - - var fUpdate = function(facade, permId) { - var termUpdate = new dtos.VocabularyTermUpdate(); - termUpdate.setVocabularyTermId(permId); - termUpdate.setDescription(description); - return facade.updateVocabularyTerms([ termUpdate ]); - } - - var fCheck = function(term) { - c.assertEqual(term.getCode(), code, "Term code"); - c.assertEqual(term.getVocabulary().getCode(), "TEST-VOCABULARY", "Term vocabulary code"); - c.assertEqual(term.getDescription(), description, "Term description"); - } - - testUpdate(c, fCreate, fUpdate, c.findVocabularyTerm, fCheck); - }); - - QUnit.test("updateExternalDms()", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("EDMS"); - - var fCreate = function(facade) { - var edmsCreation = new dtos.ExternalDmsCreation(); - edmsCreation.setCode(code); - edmsCreation.setLabel("Test EDMS"); - edmsCreation.setAddressType(dtos.ExternalDmsAddressType.OPENBIS); - edmsCreation.setAddress("https://my-site/q=${term}") - return facade.createExternalDms([ edmsCreation ]); - } - - var fUpdate = function(facade, permId) { - var edmsUpdate = new dtos.ExternalDmsUpdate(); - edmsUpdate.setExternalDmsId(permId); - edmsUpdate.setLabel("Test EDMS 2"); - edmsUpdate.setAddress("https://my-second-site/q=${term}"); - return facade.updateExternalDataManagementSystems([ edmsUpdate ]); - } - - var fCheck = function(edms) { - c.assertEqual(edms.getCode(), code, "EDMS code"); - c.assertEqual(edms.getLabel(), "Test EDMS 2", "EDMS label"); - c.assertEqual(edms.getAddress(), "https://my-second-site/q=${term}", "EDMS address"); - c.assertEqual(edms.getUrlTemplate(), "https://my-second-site/q=${term}", "EDMS URL template"); - c.assertEqual(edms.getAddressType(), "OPENBIS", "EDMS address type"); - c.assertEqual(edms.isOpenbis(), true, "EDMS is openBIS"); - } - - testUpdate(c, fCreate, fUpdate, c.findExternalDms, fCheck); - }); - - QUnit.test("updateTags()", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("TAG"); - var description = "Description of " + code; - - var fCreate = function(facade) { - var tagCreation = new dtos.TagCreation(); - tagCreation.setCode(code); - return facade.createTags([ tagCreation ]); - } - - var fUpdate = function(facade, permId) { - var tagUpdate = new dtos.TagUpdate(); - tagUpdate.setTagId(permId); - tagUpdate.setDescription(description); - return facade.updateTags([ tagUpdate ]); - } - - var fCheck = function(tag) { - c.assertEqual(tag.getCode(), code, "Tag code"); - c.assertEqual(tag.getDescription(), description, "Tag description"); - } - - testUpdate(c, fCreate, fUpdate, c.findTag, fCheck); - }); - - QUnit.test("updateAuthorizationGroups()", function(assert) { - var c = new common(assert, dtos); - var code = c.generateId("AUTHORIZATION_GROUP"); - var description = "Description of " + code; - - var fCreate = function(facade) { - var creation = new dtos.AuthorizationGroupCreation(); - creation.setCode(code); - creation.setUserIds([ new dtos.PersonPermId("power_user") ]); - return facade.createAuthorizationGroups([ creation ]); - } - - var fUpdate = function(facade, permId) { - var update = new dtos.AuthorizationGroupUpdate(); - update.setAuthorizationGroupId(permId); - update.setDescription(description); - update.getUserIds().remove([ new dtos.PersonPermId("power_user") ]); - update.getUserIds().add([ new dtos.PersonPermId("admin"), new dtos.Me() ]); - return facade.updateAuthorizationGroups([ update ]); - } - - var fCheck = function(group) { - c.assertEqual(group.getCode(), code, "Code"); - c.assertEqual(group.getDescription(), description, "Description"); - var users = $.map(group.getUsers(), function(user) { - return user.getUserId(); - }); - users.sort(); - c.assertEqual(users.toString(), "admin,openbis_test_js", "Users"); - } - - testUpdate(c, fCreate, fUpdate, c.findAuthorizationGroup, fCheck); - }); - - QUnit.test("updatePersons()", function(assert) { - var c = new common(assert, dtos); - var userId = c.generateId("USER"); - - var fCreate = function(facade) { - var creation = new dtos.PersonCreation(); - creation.setUserId(userId); - return facade.createPersons([ creation ]).then(function(permIds) { - var creation = new dtos.RoleAssignmentCreation(); - creation.setUserId(permIds[0]); - creation.setRole(dtos.Role.ADMIN); - return facade.createRoleAssignments([ creation ]).then(function(assignmentId) { - return permIds; - }); - }); - } - - var fUpdate = function(facade, permId) { - var update = new dtos.PersonUpdate(); - update.setUserId(permId); - update.setSpaceId(new dtos.SpacePermId("TEST")) - return facade.updatePersons([ update ]); - } - - var fCheck = function(person) { - c.assertEqual(person.getUserId(), userId, "User id"); - c.assertEqual(person.getSpace().getCode(), "TEST", "Home space"); - c.assertEqual(person.isActive(), true, "Active"); - } - - testUpdate(c, fCreate, fUpdate, c.findPerson, fCheck); - }); - - QUnit.test("updatePersons() deactivate", function(assert) { - var c = new common(assert, dtos); - var userId = c.generateId("USER"); - - var fCreate = function(facade) { - var creation = new dtos.PersonCreation(); - creation.setUserId(userId); - return facade.createPersons([ creation ]); - } - - var fUpdate = function(facade, permId) { - var update = new dtos.PersonUpdate(); - update.setUserId(permId); - update.deactivate(); - return facade.updatePersons([ update ]); - } - - var fCheck = function(person) { - c.assertEqual(person.getUserId(), userId, "User id"); - c.assertEqual(person.isActive(), false, "Active"); - } - - testUpdate(c, fCreate, fUpdate, c.findPerson, fCheck); - }); - - QUnit.test("updatePersons() deactivate and activate", function(assert) { - var c = new common(assert, dtos); - var userId = c.generateId("USER"); - - var fCreate = function(facade) { - var creation = new dtos.PersonCreation(); - creation.setUserId(userId); - return facade.createPersons([ creation ]); - } - - var fUpdate = function(facade, permId) { - var deactivateUpdate = new dtos.PersonUpdate(); - deactivateUpdate.setUserId(permId); - deactivateUpdate.deactivate(); - return facade.updatePersons([ deactivateUpdate ]).then(function(){ - var activateUpdate = new dtos.PersonUpdate(); - activateUpdate.setUserId(permId); - activateUpdate.activate(); - return facade.updatePersons([ activateUpdate ]); - }) - } - - var fCheck = function(person) { - c.assertEqual(person.getUserId(), userId, "User id"); - c.assertEqual(person.isActive(), true, "Active"); - } - - testUpdate(c, fCreate, fUpdate, c.findPerson, fCheck); - }); - - QUnit.test("updatePersons() webAppSettings", function(assert) { - var c = new common(assert, dtos); - var userId = c.generateId("USER"); - - var WEB_APP_1 = "webApp1"; - var WEB_APP_2 = "webApp2"; - var WEB_APP_3 = "webApp3"; - var WEB_APP_4 = "webApp4"; - - var fCreate = function(facade) { - var creation = new dtos.PersonCreation(); - creation.setUserId(userId); - return facade.createPersons([ creation ]); - } - - var fUpdate = function(facade, permId) { - var update = new dtos.PersonUpdate(); - update.setUserId(permId); - - var webApp1Update = update.getWebAppSettings(WEB_APP_1); - webApp1Update.add(new dtos.WebAppSettingCreation("n1a", "v1a")); - webApp1Update.add(new dtos.WebAppSettingCreation("n1b", "v1b")); - - var webApp2Update = update.getWebAppSettings(WEB_APP_2); - webApp2Update.add(new dtos.WebAppSettingCreation("n2a", "v2a")); - - var webApp3Update = update.getWebAppSettings(WEB_APP_3); - webApp3Update.add(new dtos.WebAppSettingCreation("n3a", "v3a")); - - var webApp4Update = update.getWebAppSettings(WEB_APP_4); - webApp4Update.add(new dtos.WebAppSettingCreation("n4a", "v4a")); - - return facade.updatePersons([ update ]).then(function() { - var update = new dtos.PersonUpdate(); - update.setUserId(permId); - - var webApp1Update = update.getWebAppSettings(WEB_APP_1); - webApp1Update.add(new dtos.WebAppSettingCreation("n1c", "v1c")); - webApp1Update.remove("n1b"); - - var webApp2Update = update.getWebAppSettings(WEB_APP_2); - webApp2Update.set([ new dtos.WebAppSettingCreation("n2a", "v2a updated"), new dtos.WebAppSettingCreation("n2c", "v2c") ]); - - var webApp3Update = update.getWebAppSettings(WEB_APP_3); - webApp3Update.set(); - - var webApp4Update = update.getWebAppSettings(WEB_APP_4); - webApp4Update.remove("n4a"); - - return facade.updatePersons([ update ]); - }); - } - - var fCheck = function(person) { - c.assertEqual(person.getUserId(), userId, "User id"); - c.assertEqual(Object.keys(person.getWebAppSettings()).length, 2, "Web apps"); - - var webApp1 = person.getWebAppSettings(WEB_APP_1).getSettings(); - c.assertEqual(Object.keys(webApp1).length, 2); - c.assertEqual(webApp1["n1a"].getValue(), "v1a"); - c.assertEqual(webApp1["n1c"].getValue(), "v1c"); - - var webApp2 = person.getWebAppSettings(WEB_APP_2).getSettings(); - c.assertEqual(Object.keys(webApp2).length, 2); - c.assertEqual(webApp2["n2a"].getValue(), "v2a updated"); - c.assertEqual(webApp2["n2c"].getValue(), "v2c"); - } - - testUpdate(c, fCreate, fUpdate, c.findPerson, fCheck); - }); - - QUnit.test("updateOperationExecutions()", function(assert) { - var c = new common(assert, dtos); - var permId = null; - - var fCreate = function(facade) { - return c.createOperationExecution(facade).then(function(id) { - permId = id; - return [ id ]; - }); - } - - var fUpdate = function(facade, permId) { - var executionUpdate = new dtos.OperationExecutionUpdate(); - executionUpdate.setExecutionId(permId); - executionUpdate.setDescription("Description " + permId.getPermId()); - return facade.updateOperationExecutions([ executionUpdate ]); - } - - var fCheck = function(execution) { - c.assertEqual(execution.getPermId().getPermId(), permId.getPermId(), "PermId"); - c.assertEqual(execution.getDescription(), "Description " + permId.getPermId(), "Execution description"); - } - - testUpdate(c, fCreate, fUpdate, c.findOperationExecution, fCheck); - }); - - QUnit.test("updateSemanticAnnotations()", function(assert) { - var c = new common(assert, dtos); - - var fCreate = function(facade) { - return c.createSemanticAnnotation(facade).then(function(permId) { - return [ permId ]; - }); - } - - var fUpdate = function(facade, permId) { - var update = new dtos.SemanticAnnotationUpdate(); - update.setSemanticAnnotationId(permId); - update.setPredicateOntologyId("updatedPredicateOntologyId"); - update.setPredicateOntologyVersion("updatedPredicateOntologyVersion"); - update.setPredicateAccessionId("updatedPredicateAccessionId"); - update.setDescriptorOntologyId("updatedDescriptorOntologyId"); - update.setDescriptorOntologyVersion("updatedDescriptorOntologyVersion"); - update.setDescriptorAccessionId("updatedDescriptorAccessionId"); - return facade.updateSemanticAnnotations([ update ]); - } - - var fCheck = function(annotation) { - c.assertEqual(annotation.getPredicateOntologyId(), "updatedPredicateOntologyId", "Predicate Ontology Id"); - c.assertEqual(annotation.getPredicateOntologyVersion(), "updatedPredicateOntologyVersion", "Predicate Ontology Version"); - c.assertEqual(annotation.getPredicateAccessionId(), "updatedPredicateAccessionId", "Predicate Accession Id"); - c.assertEqual(annotation.getDescriptorOntologyId(), "updatedDescriptorOntologyId", "Descriptor Ontology Id"); - c.assertEqual(annotation.getDescriptorOntologyVersion(), "updatedDescriptorOntologyVersion", "Descriptor Ontology Version"); - c.assertEqual(annotation.getDescriptorAccessionId(), "updatedDescriptorAccessionId", "Descriptor Accession Id"); - } - - testUpdate(c, fCreate, fUpdate, c.findSemanticAnnotation, fCheck); - }); - - QUnit.test("updateQueries()", function(assert) { - var c = new common(assert, dtos); - - var update = new dtos.QueryUpdate(); - update.setName(c.generateId("query")); - update.setDescription("updated description"); - update.setDatabaseId(new dtos.QueryDatabaseName("openbisDB2")); - update.setQueryType(dtos.QueryType.SAMPLE); - update.setEntityTypeCodePattern("sample type pattern"); - update.setSql("select * from samples where perm_id = ${key};"); - update.setPublic(true); - - var fCreate = function(facade) { - return c.createQuery(facade).then(function(techId) { - return [ techId ]; - }); - } - - var fUpdate = function(facade, techId) { - update.setQueryId(techId); - return facade.updateQueries([ update ]); - } - - var fCheck = function(query) { - c.assertEqual(query.getName(), update.getName().getValue(), "Name"); - c.assertEqual(query.getDescription(), update.getDescription().getValue(), "Description"); - c.assertEqual(query.getDatabaseId().getName(), update.getDatabaseId().getValue().getName(), "Database"); - c.assertEqual(query.getQueryType(), update.getQueryType().getValue(), "Query type"); - c.assertEqual(query.getEntityTypeCodePattern(), update.getEntityTypeCodePattern().getValue(), "Entity type code pattern"); - c.assertEqual(query.getSql(), update.getSql().getValue(), "Sql"); - c.assertEqual(query.isPublic(), update.isPublic().getValue(), "Is public"); - } - - testUpdate(c, fCreate, fUpdate, c.findQuery, fCheck); - }); - - QUnit.test("updatePersonalAccessTokens()", function(assert) { - var c = new common(assert, dtos); - - var update = new dtos.PersonalAccessTokenUpdate(); - update.setAccessDate(new Date().getTime()); - - var fCreate = function(facade) { - return c.createPersonalAccessToken(facade).then(function(permId) { - return [ permId ]; - }); - } - - var fUpdate = function(facade, permId) { - update.setPersonalAccessTokenId(permId); - return facade.updatePersonalAccessTokens([ update ]); - } - - var fCheck = function(pat) { - c.assertEqual(pat.getAccessDate(), update.getAccessDate().getValue(), "Access date"); - } - - testUpdate(c, fCreate, fUpdate, c.findPersonalAccessToken, fCheck); - }); - } - - return function() { - executeModule("Update tests (RequireJS)", new openbis(), dtos); - executeModule("Update tests (RequireJS - executeOperations)", new openbisExecuteOperations(new openbis(), dtos), dtos); - executeModule("Update tests (module VAR)", new window.openbis.openbis(), window.openbis); - executeModule("Update tests (module VAR - executeOperations)", new openbisExecuteOperations(new window.openbis.openbis(), window.openbis), window.openbis); - executeModule("Update tests (module ESM)", new window.openbisESM.openbis(), window.openbisESM); - executeModule("Update tests (module ESM - executeOperations)", new openbisExecuteOperations(new window.openbisESM.openbis(), window.openbisESM), window.openbisESM); - } -}); diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-update.ts b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-update.ts new file mode 100644 index 0000000000000000000000000000000000000000..f4e518f1ff37f949a57067b7cd8a7c1d976eea6a --- /dev/null +++ b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/test-update.ts @@ -0,0 +1,1904 @@ +import jquery from "./types/jquery" +import underscore from "./types/underscore" +import common from "./types/common" +import openbis from "./types/openbis.esm" + +exports.default = new Promise((resolve) => { + require(["jquery", "underscore", "openbis", "test/common", "test/openbis-execute-operations", "test/dtos"], function ( + $: jquery.JQueryStatic, + _: underscore.UnderscoreStatic, + openbisRequireJS, + common: common.CommonConstructor, + openbisExecuteOperations, + dtos + ) { + var executeModule = function (moduleName: string, facade: openbis.openbis, dtos: openbis.bundle) { + QUnit.module(moduleName) + + var testUpdate = function (c: common.CommonClass, fCreate, fUpdate, fFind, fCheck, fCheckError?) { + c.start() + + var ctx = { + facade: null, + permIds: null, + } + c.login(facade) + .then(function () { + ctx.facade = facade + return fCreate(facade) + }) + .then(function (permIds) { + ctx.permIds = permIds + c.assertTrue(permIds != null && permIds.length == 1, "Entity was created") + return fFind(ctx.facade, permIds[0]) + }) + .then(function (entity) { + c.assertNotNull(entity, "Entity can be found") + return fUpdate(ctx.facade, ctx.permIds[0]) + }) + .then(function () { + c.ok("Entity was updated") + return fFind(ctx.facade, ctx.permIds[0]) + }) + .then(function (entity) { + if (fCheck) { + fCheck(entity) + } + c.finish() + }) + .fail(function (error) { + if (fCheckError) { + fCheckError(error.message, ctx.permIds[0]) + } else { + c.fail(error.message) + } + c.finish() + }) + } + + QUnit.test("updateSpaces()", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("SPACE") + + var fCreate = function (facade: openbis.openbis) { + var creation = new dtos.SpaceCreation() + creation.setCode(code) + creation.setDescription("test description") + return facade.createSpaces([creation]) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var update = new dtos.SpaceUpdate() + update.setSpaceId(permId) + update.setDescription("test description 2") + return facade.updateSpaces([update]) + } + + var fCheck = function (space: openbis.Space) { + c.assertEqual(space.getCode(), code, "Code") + c.assertEqual(space.getDescription(), "test description 2", "Description") + } + + testUpdate(c, fCreate, fUpdate, c.findSpace, fCheck) + }) + + QUnit.test("updateProjects() added attachments", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("PROJECT") + + var fCreate = function (facade: openbis.openbis) { + var projectCreation = new dtos.ProjectCreation() + projectCreation.setSpaceId(new dtos.SpacePermId("TEST")) + projectCreation.setCode(code) + projectCreation.setDescription("JS test project") + return facade.createProjects([projectCreation]) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var projectUpdate = new dtos.ProjectUpdate() + projectUpdate.setProjectId(permId) + projectUpdate.setSpaceId(new dtos.SpacePermId("PLATONIC")) + var attachmentCreation = new dtos.AttachmentCreation() + attachmentCreation.setFileName("test_file") + attachmentCreation.setTitle("test_title") + attachmentCreation.setDescription("test_description") + attachmentCreation.setContent(btoa("hello world")) + projectUpdate.getAttachments().add([attachmentCreation]) + return facade.updateProjects([projectUpdate]) + } + + var fCheck = function (project: openbis.Project) { + c.assertEqual(project.getCode(), code, "Project code") + c.assertEqual(project.getSpace().getCode(), "PLATONIC", "Space code") + c.assertEqual(project.getDescription(), "JS test project", "Description") + var attachments = project.getAttachments() + c.assertEqual(attachments[0].getFileName(), "test_file", "Attachment file name") + c.assertEqual(attachments[0].getTitle(), "test_title", "Attachment title") + c.assertEqual(attachments[0].getDescription(), "test_description", "Attachment description") + c.assertEqual(atob(attachments[0].getContent()), "hello world", "Attachment content") + c.assertEqual(attachments.length, 1, "Number of attachments") + } + + testUpdate(c, fCreate, fUpdate, c.findProject, fCheck) + }) + + QUnit.test("updateProjects() changed attributes", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("PROJECT") + + var fCreate = function (facade: openbis.openbis) { + var projectCreation = new dtos.ProjectCreation() + projectCreation.setSpaceId(new dtos.SpacePermId("TEST")) + projectCreation.setCode(code) + projectCreation.setDescription("JS test project") + return facade.createProjects([projectCreation]) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var projectUpdate = new dtos.ProjectUpdate() + projectUpdate.setProjectId(permId) + projectUpdate.setDescription("test_description") + return facade.updateProjects([projectUpdate]) + } + + var fCheck = function (project: openbis.Project) { + c.assertEqual(project.getCode(), code, "Project code") + c.assertEqual(project.getSpace().getCode(), "TEST", "Space code") + c.assertEqual(project.getDescription(), "test_description", "Description") + } + + testUpdate(c, fCreate, fUpdate, c.findProject, fCheck) + }) + + QUnit.test("updateProjects() removed space", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("PROJECT") + + var fCreate = function (facade: openbis.openbis) { + var projectCreation = new dtos.ProjectCreation() + projectCreation.setSpaceId(new dtos.SpacePermId("TEST")) + projectCreation.setCode(code) + projectCreation.setDescription("JS test project") + return facade.createProjects([projectCreation]) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var projectUpdate = new dtos.ProjectUpdate() + projectUpdate.setProjectId(permId) + projectUpdate.setSpaceId(null) + return facade.updateProjects([projectUpdate]) + } + + var fCheckError = function (error, permId) { + c.assertContains(error, "Space id cannot be null", "Error") + } + + testUpdate(c, fCreate, fUpdate, c.findProject, null, fCheckError) + }) + + QUnit.test("updateExperimentTypes()", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("EXPERIMENT_TYPE") + + var fCreate = function (facade: openbis.openbis) { + var assignmentCreation = new dtos.PropertyAssignmentCreation() + assignmentCreation.setSection("test section") + assignmentCreation.setOrdinal(10) + assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId("DESCRIPTION")) + assignmentCreation.setPluginId(new dtos.PluginPermId("Diff_time")) + assignmentCreation.setInitialValueForExistingEntities("initial value") + assignmentCreation.setShowInEditView(true) + assignmentCreation.setShowRawValueInForms(true) + + var creation = new dtos.ExperimentTypeCreation() + creation.setCode(code) + creation.setDescription("a new description") + creation.setPropertyAssignments([assignmentCreation]) + creation.setMetaData({ experiment_type_update: "old_value", experiment_type_delete: "del_value" }) + + return facade.createExperimentTypes([creation]) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var assignmentCreation = new dtos.PropertyAssignmentCreation() + assignmentCreation.setSection("test section 2") + assignmentCreation.setOrdinal(10) + assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId("VERSION")) + assignmentCreation.setPluginId(new dtos.PluginPermId("Diff_time")) + assignmentCreation.setMandatory(true) + assignmentCreation.setInitialValueForExistingEntities("1.0") + assignmentCreation.setShowInEditView(true) + assignmentCreation.setShowRawValueInForms(true) + var update = new dtos.ExperimentTypeUpdate() + update.setTypeId(permId) + update.setDescription("another new description") + update.setValidationPluginId(new dtos.PluginPermId("Has_Parents")) + update.getPropertyAssignments().set([assignmentCreation]) + update.getMetaData().put("experiment_type_update", "new_value") + update.getMetaData().add([{ experiment_type_add: "add_value" }]) + update.getMetaData().remove(["experiment_type_delete"]) + return facade.updateExperimentTypes([update]) + } + + var fCheck = function (type: openbis.ExperimentType) { + c.assertEqual(type.getCode(), code, "Type code") + c.assertEqual(type.getPermId().getPermId(), code, "Type perm id") + c.assertEqual(type.getDescription(), "another new description", "Description") + + c.assertEqual(type.getPropertyAssignments().length, 1, "Assignments count") + + var assignment = type.getPropertyAssignments()[0] + + c.assertEqual(assignment.getSection(), "test section 2", "Assignment section") + c.assertEqual(assignment.getOrdinal(), 10, "Assignment ordinal") + c.assertEqual(assignment.getPropertyType().getCode(), "VERSION", "Assignment property type code") + c.assertEqual(assignment.isMandatory(), true, "Assignment mandatory") + c.assertEqual(assignment.isShowInEditView(), true, "Assignment ShowInEditView") + c.assertEqual(assignment.isShowRawValueInForms(), true, "Assignment ShowRawValueInForms") + + var metaData = type.getMetaData() + c.assertEqual(metaData["experiment_type_update"], "new_value", "Metadata update") + c.assertEqual(metaData["experiment_type_add"], "add_value", "Metadata add") + c.assertEqual(metaData["experiment_type_delete"], undefined, "Metadata delete") + } + + testUpdate(c, fCreate, fUpdate, c.findExperimentType, fCheck) + }) + + QUnit.test("updateExperiments() changed attributes + added tag + added attachment", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("EXPERIMENT") + + var fCreate = function (facade: openbis.openbis) { + var experimentCreation = new dtos.ExperimentCreation() + experimentCreation.setCode(code) + experimentCreation.setTypeId(new dtos.EntityTypePermId("HT_SEQUENCING")) + experimentCreation.setProperty("EXPERIMENT_DESIGN", "EXPRESSION") + experimentCreation.setTagIds([new dtos.TagCode("CREATE_JSON_TAG")]) + experimentCreation.setProjectId(new dtos.ProjectIdentifier("/TEST/TEST-PROJECT")) + experimentCreation.setMetaData({ experiment_update: "old_value", experiment_delete: "del_value" }) + return facade.createExperiments([experimentCreation]) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var experimentUpdate = new dtos.ExperimentUpdate() + experimentUpdate.setExperimentId(permId) + experimentUpdate.setProjectId(new dtos.ProjectIdentifier("/PLATONIC/SCREENING-EXAMPLES")) + experimentUpdate.getTagIds().add([new dtos.TagCode("CREATE_ANOTHER_JSON_TAG")]) + var attachmentCreation = new dtos.AttachmentCreation() + attachmentCreation.setFileName("test_file") + attachmentCreation.setTitle("test_title") + attachmentCreation.setDescription("test_description") + attachmentCreation.setContent(btoa("hello world")) + experimentUpdate.getAttachments().add([attachmentCreation]) + experimentUpdate.getMetaData().put("experiment_update", "new_value") + experimentUpdate.getMetaData().add([{ experiment_add: "add_value" }]) + experimentUpdate.getMetaData().remove(["experiment_delete"]) + return facade.updateExperiments([experimentUpdate]) + } + + var fCheck = function (experiment: openbis.Experiment) { + c.assertEqual(experiment.getCode(), code, "Experiment code") + c.assertEqual(experiment.getType().getCode(), "HT_SEQUENCING", "Type code") + c.assertEqual(experiment.getProject().getCode(), "SCREENING-EXAMPLES", "Project code") + c.assertEqual(experiment.getProject().getSpace().getCode(), "PLATONIC", "Space code") + var tags = _.sortBy(experiment.getTags(), "code") + c.assertEqual(tags[0].getCode(), "CREATE_ANOTHER_JSON_TAG", "tags") + c.assertEqual(tags[1].getCode(), "CREATE_JSON_TAG", "tags") + c.assertEqual(tags.length, 2, "Number of tags") + var attachments = experiment.getAttachments() + c.assertEqual(attachments[0].getFileName(), "test_file", "Attachment file name") + c.assertEqual(attachments[0].getTitle(), "test_title", "Attachment title") + c.assertEqual(attachments[0].getDescription(), "test_description", "Attachment description") + c.assertEqual(atob(attachments[0].getContent()), "hello world", "Attachment content") + c.assertEqual(attachments.length, 1, "Number of attachments") + + var metaData = experiment.getMetaData() + c.assertEqual(metaData["experiment_update"], "new_value", "Metadata update") + c.assertEqual(metaData["experiment_add"], "add_value", "Metadata add") + c.assertEqual(metaData["experiment_delete"], undefined, "Metadata delete") + } + + testUpdate(c, fCreate, fUpdate, c.findExperiment, fCheck) + }) + + QUnit.test("updateExperiments() changed properties + removed tag", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("EXPERIMENT") + + var fCreate = function (facade: openbis.openbis) { + var experimentCreation = new dtos.ExperimentCreation() + experimentCreation.setCode(code) + experimentCreation.setTypeId(new dtos.EntityTypePermId("HT_SEQUENCING")) + experimentCreation.setProperty("EXPERIMENT_DESIGN", "EXPRESSION") + experimentCreation.setTagIds([new dtos.TagCode("CREATE_JSON_TAG")]) + experimentCreation.setProjectId(new dtos.ProjectIdentifier("/TEST/TEST-PROJECT")) + return facade.createExperiments([experimentCreation]) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var experimentUpdate = new dtos.ExperimentUpdate() + experimentUpdate.setExperimentId(permId) + experimentUpdate.setProperty("EXPERIMENT_DESIGN", "OTHER") + experimentUpdate.getTagIds().remove([new dtos.TagCode("UNKNOWN_TAG"), new dtos.TagCode("CREATE_JSON_TAG")]) + return facade.updateExperiments([experimentUpdate]) + } + + var fCheck = function (experiment: openbis.Experiment) { + c.assertEqual(experiment.getCode(), code, "Experiment code") + c.assertEqual(experiment.getType().getCode(), "HT_SEQUENCING", "Type code") + c.assertEqual(experiment.getProject().getCode(), "TEST-PROJECT", "Project code") + c.assertEqual(experiment.getProject().getSpace().getCode(), "TEST", "Space code") + var properties = experiment.getProperties() + c.assertEqual(properties["EXPERIMENT_DESIGN"], "OTHER", "Property EXPERIMENT_DESIGN") + c.assertEqual(Object.keys(properties), "EXPERIMENT_DESIGN", "Properties") + c.assertEqual(experiment.getTags().length, 0, "Number of tags") + } + + testUpdate(c, fCreate, fUpdate, c.findExperiment, fCheck) + }) + + QUnit.test("updateExperiments() removed project", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("EXPERIMENT") + + var fCreate = function (facade: openbis.openbis) { + var experimentCreation = new dtos.ExperimentCreation() + experimentCreation.setCode(code) + experimentCreation.setTypeId(new dtos.EntityTypePermId("HT_SEQUENCING")) + experimentCreation.setProjectId(new dtos.ProjectIdentifier("/TEST/TEST-PROJECT")) + return facade.createExperiments([experimentCreation]) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var experimentUpdate = new dtos.ExperimentUpdate() + experimentUpdate.setExperimentId(permId) + experimentUpdate.setProjectId(null) + return facade.updateExperiments([experimentUpdate]) + } + + var fCheckError = function (error, permId) { + c.assertContains(error, "Project id cannot be null", "Error") + } + + testUpdate(c, fCreate, fUpdate, c.findExperiment, null, fCheckError) + }) + + QUnit.test("updateExperiment() change property of type SAMPLE", function (assert) { + var c = new common(assert, dtos) + var propertyTypeCode = c.generateId("PROPERTY_TYPE") + var experimentTypeCode = c.generateId("EXPERIMENT_TYPE") + var code = c.generateId("EXPERIMENT") + + var fCreate = function (facade: openbis.openbis) { + var propertyTypeCreation = new dtos.PropertyTypeCreation() + propertyTypeCreation.setCode(propertyTypeCode) + propertyTypeCreation.setDescription("hello") + propertyTypeCreation.setDataType(dtos.DataType.SAMPLE) + propertyTypeCreation.setLabel("Test Property Type") + return facade.createPropertyTypes([propertyTypeCreation]).then(function (results) { + var assignmentCreation = new dtos.PropertyAssignmentCreation() + assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)) + var experimentTypeCreation = new dtos.ExperimentTypeCreation() + experimentTypeCreation.setCode(experimentTypeCode) + experimentTypeCreation.setPropertyAssignments([assignmentCreation]) + return facade.createExperimentTypes([experimentTypeCreation]).then(function (results) { + var creation = new dtos.ExperimentCreation() + creation.setTypeId(new dtos.EntityTypePermId(experimentTypeCode)) + creation.setCode(code) + creation.setProjectId(new dtos.ProjectIdentifier("/TEST/TEST-PROJECT")) + creation.setProperty(propertyTypeCode, "20130412140147735-20") + return facade.createExperiments([creation]) + }) + }) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var update = new dtos.ExperimentUpdate() + update.setExperimentId(permId) + update.setProperty(propertyTypeCode, "20130412140147736-21") + return facade.updateExperiments([update]) + } + + var fCheck = function (experiment: openbis.Experiment) { + c.assertEqual(experiment.getCode(), code, "Experiment code") + c.assertEqual(experiment.getType().getCode(), experimentTypeCode, "Type code") + c.assertEqual(experiment.getProject().getCode(), "TEST-PROJECT", "Project code") + c.assertEqual(experiment.getProject().getSpace().getCode(), "TEST", "Space code") + c.assertEqual( + experiment.getSampleProperties()[propertyTypeCode][0].getIdentifier().getIdentifier(), + "/PLATONIC/SCREENING-EXAMPLES/PLATE-2", + "Sample property" + ) + c.assertEqual( + (<openbis.PropertyHistoryEntry>experiment.getHistory()[0]).getPropertyName(), + propertyTypeCode, + "Previous sample property name" + ) + c.assertEqual( + (<openbis.PropertyHistoryEntry>experiment.getHistory()[0]).getPropertyValue(), + "20130412140147735-20", + "Previous sample property value" + ) + } + + testUpdate(c, fCreate, fUpdate, c.findExperiment, fCheck) + }) + + QUnit.test("updateExperiment() change multi-value property of type SAMPLE", function (assert) { + var c = new common(assert, dtos) + var propertyTypeCode = c.generateId("PROPERTY_TYPE") + var experimentTypeCode = c.generateId("EXPERIMENT_TYPE") + var code = c.generateId("EXPERIMENT") + + var fCreate = function (facade: openbis.openbis) { + var propertyTypeCreation = new dtos.PropertyTypeCreation() + propertyTypeCreation.setCode(propertyTypeCode) + propertyTypeCreation.setDescription("hello") + propertyTypeCreation.setDataType(dtos.DataType.SAMPLE) + propertyTypeCreation.setLabel("Test Property Type") + propertyTypeCreation.setMultiValue(true) + return facade.createPropertyTypes([propertyTypeCreation]).then(function (results) { + var assignmentCreation = new dtos.PropertyAssignmentCreation() + assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)) + var experimentTypeCreation = new dtos.ExperimentTypeCreation() + experimentTypeCreation.setCode(experimentTypeCode) + experimentTypeCreation.setPropertyAssignments([assignmentCreation]) + return facade.createExperimentTypes([experimentTypeCreation]).then(function (results) { + var creation = new dtos.ExperimentCreation() + creation.setTypeId(new dtos.EntityTypePermId(experimentTypeCode)) + creation.setCode(code) + creation.setProjectId(new dtos.ProjectIdentifier("/TEST/TEST-PROJECT")) + creation.setProperty(propertyTypeCode, ["20130412140147735-20", "20130424134657597-433"]) + return facade.createExperiments([creation]) + }) + }) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var update = new dtos.ExperimentUpdate() + update.setExperimentId(permId) + update.setProperty(propertyTypeCode, "20130412140147736-21") + return facade.updateExperiments([update]) + } + + var fCheck = function (experiment: openbis.Experiment) { + c.assertEqual(experiment.getCode(), code, "Experiment code") + c.assertEqual(experiment.getType().getCode(), experimentTypeCode, "Type code") + c.assertEqual(experiment.getProject().getCode(), "TEST-PROJECT", "Project code") + c.assertEqual(experiment.getProject().getSpace().getCode(), "TEST", "Space code") + c.assertEqual( + experiment.getSampleProperties()[propertyTypeCode][0].getIdentifier().getIdentifier(), + "/PLATONIC/SCREENING-EXAMPLES/PLATE-2", + "Sample property" + ) + + var history = experiment.getHistory().filter((x: any) => x.propertyName == propertyTypeCode && x.validTo) + c.assertEqual(history.length, 2, "Previous sample property name") + c.assertEqual( + history + .map((x: any) => x.propertyValue) + .sort() + .toString(), + ["20130412140147735-20", "20130424134657597-433"].toString(), + "Previous sample property value" + ) + } + + testUpdate(c, fCreate, fUpdate, c.findExperiment, fCheck) + }) + + QUnit.test("updateSampleTypes()", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("SAMPLE_TYPE") + + var fCreate = function (facade: openbis.openbis) { + var assignmentCreation = new dtos.PropertyAssignmentCreation() + assignmentCreation.setSection("test section") + assignmentCreation.setOrdinal(10) + assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId("DESCRIPTION")) + assignmentCreation.setPluginId(new dtos.PluginPermId("Diff_time")) + assignmentCreation.setMandatory(true) + assignmentCreation.setInitialValueForExistingEntities("initial value") + assignmentCreation.setShowInEditView(true) + assignmentCreation.setShowRawValueInForms(true) + + var creation = new dtos.SampleTypeCreation() + creation.setCode(code) + creation.setDescription("a new description") + creation.setGeneratedCodePrefix("TEST_PREFIX") + creation.setPropertyAssignments([assignmentCreation]) + creation.setMetaData({ sample_type_update: "old_value", sample_type_delete: "del_value" }) + + return facade.createSampleTypes([creation]) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var assignmentCreation = new dtos.PropertyAssignmentCreation() + assignmentCreation.setSection("test section 2") + assignmentCreation.setOrdinal(10) + assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId("VERSION")) + assignmentCreation.setPluginId(new dtos.PluginPermId("Diff_time")) + assignmentCreation.setMandatory(true) + assignmentCreation.setInitialValueForExistingEntities("1.0") + assignmentCreation.setShowInEditView(true) + assignmentCreation.setShowRawValueInForms(true) + var update = new dtos.SampleTypeUpdate() + update.setTypeId(permId) + update.setAutoGeneratedCode(true) + update.setSubcodeUnique(true) + update.setDescription("another new description") + update.setGeneratedCodePrefix("TEST_PREFIX2") + update.setListable(true) + update.setShowContainer(true) + update.setShowParents(true) + update.setShowParentMetadata(true) + update.setValidationPluginId(new dtos.PluginPermId("Has_Parents")) + update.getPropertyAssignments().add([assignmentCreation]) + update.getPropertyAssignments().remove([new dtos.PropertyAssignmentPermId(permId, new dtos.PropertyTypePermId("DESCRIPTION"))]) + update.getMetaData().put("sample_type_update", "new_value") + update.getMetaData().add([{ sample_type_add: "add_value" }]) + update.getMetaData().remove(["sample_type_delete"]) + return facade.updateSampleTypes([update]) + } + + var fCheck = function (type: openbis.SampleType) { + c.assertEqual(type.getCode(), code, "Type code") + c.assertEqual(type.getPermId().getPermId(), code, "Type perm id") + c.assertEqual(type.getDescription(), "another new description", "Description") + c.assertEqual(type.isAutoGeneratedCode(), true, "AutoGeneratedCode") + c.assertEqual(type.isSubcodeUnique(), true, "SubcodeUnique") + c.assertEqual(type.getGeneratedCodePrefix(), "TEST_PREFIX2", "GeneratedCodePrefix") + c.assertEqual(type.isListable(), true, "Listable") + c.assertEqual(type.isShowContainer(), true, "ShowContainer") + c.assertEqual(type.isShowParents(), true, "ShowParents") + c.assertEqual(type.isShowParentMetadata(), true, "ShowParentMetadata") + + c.assertEqual(type.getPropertyAssignments().length, 1, "Assignments count") + + var assignment = type.getPropertyAssignments()[0] + + c.assertEqual(assignment.getSection(), "test section 2", "Assignment section") + c.assertEqual(assignment.getOrdinal(), 10, "Assignment ordinal") + c.assertEqual(assignment.getPropertyType().getCode(), "VERSION", "Assignment property type code") + c.assertEqual(assignment.isMandatory(), true, "Assignment mandatory") + c.assertEqual(assignment.isShowInEditView(), true, "Assignment ShowInEditView") + c.assertEqual(assignment.isShowRawValueInForms(), true, "Assignment ShowRawValueInForms") + + var metaData = type.getMetaData() + c.assertEqual(metaData["sample_type_update"], "new_value", "Metadata update") + c.assertEqual(metaData["sample_type_add"], "add_value", "Metadata add") + c.assertEqual(metaData["sample_type_delete"], undefined, "Metadata delete") + } + + testUpdate(c, fCreate, fUpdate, c.findSampleType, fCheck) + }) + + QUnit.test("updateSamples()", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("SAMPLE") + + var fCreate = function (facade: openbis.openbis) { + var creation = new dtos.SampleCreation() + creation.setTypeId(new dtos.EntityTypePermId("UNKNOWN")) + creation.setCode(code) + creation.setSpaceId(new dtos.SpacePermId("TEST")) + creation.setTagIds([new dtos.TagCode("CREATE_JSON_TAG")]) + creation.setMetaData({ sample_update: "old_value", sample_delete: "del_value" }) + return facade.createSamples([creation]) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var update = new dtos.SampleUpdate() + update.setSampleId(permId) + update.getTagIds().remove([new dtos.TagCode("CREATE_JSON_TAG")]) + update.getTagIds().add([new dtos.TagCode("CREATE_JSON_TAG_2")]) + update.getTagIds().add([new dtos.TagCode("CREATE_JSON_TAG_3")]) + update.getMetaData().put("sample_update", "new_value") + update.getMetaData().add([{ sample_add: "add_value" }]) + update.getMetaData().remove(["sample_delete"]) + return facade.updateSamples([update]) + } + + var fCheck = function (sample: openbis.Sample) { + c.assertEqual(sample.getCode(), code, "Sample code") + c.assertEqual(sample.getType().getCode(), "UNKNOWN", "Type code") + c.assertEqual(sample.getSpace().getCode(), "TEST", "Space code") + c.assertObjectsCount(sample.getTags(), 2) + c.assertObjectsWithValues(sample.getTags(), "code", ["CREATE_JSON_TAG_2", "CREATE_JSON_TAG_3"]) + + var metaData = sample.getMetaData() + c.assertEqual(metaData["sample_update"], "new_value", "Metadata update") + c.assertEqual(metaData["sample_add"], "add_value", "Metadata add") + c.assertEqual(metaData["sample_delete"], undefined, "Metadata delete") + } + + testUpdate(c, fCreate, fUpdate, c.findSample, fCheck) + }) + + QUnit.test("updateSamples() turn project sample into a space sample", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("SAMPLE") + + var fCreate = function (facade: openbis.openbis) { + var creation = new dtos.SampleCreation() + creation.setTypeId(new dtos.EntityTypePermId("UNKNOWN")) + creation.setCode(code) + creation.setSpaceId(new dtos.SpacePermId("TEST")) + creation.setProjectId(new dtos.ProjectIdentifier("/TEST/TEST-PROJECT")) + return facade.createSamples([creation]) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var update = new dtos.SampleUpdate() + update.setSampleId(permId) + update.setProjectId(null) + update.setSpaceId(new dtos.SpacePermId("PLATONIC")) + return facade.updateSamples([update]) + } + + var fCheck = function (sample: openbis.Sample) { + c.assertEqual(sample.getCode(), code, "Sample code") + c.assertEqual(sample.getType().getCode(), "UNKNOWN", "Type code") + c.assertEqual(sample.getIdentifier(), "/PLATONIC/" + code, "Identifier") + c.assertEqual(sample.getProject(), null, "Project") + c.assertEqual(sample.getSpace().getCode(), "PLATONIC", "Space code") + } + + testUpdate(c, fCreate, fUpdate, c.findSample, fCheck) + }) + + QUnit.test("updateSamples() turn space sample into a project sample", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("SAMPLE") + + var fCreate = function (facade: openbis.openbis) { + var creation = new dtos.SampleCreation() + creation.setTypeId(new dtos.EntityTypePermId("UNKNOWN")) + creation.setCode(code) + creation.setSpaceId(new dtos.SpacePermId("TEST")) + return facade.createSamples([creation]) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var update = new dtos.SampleUpdate() + update.setSampleId(permId) + update.setProjectId(new dtos.ProjectIdentifier("/PLATONIC/SCREENING-EXAMPLES")) + update.setSpaceId(new dtos.SpacePermId("PLATONIC")) + return facade.updateSamples([update]) + } + + var fCheck = function (sample: openbis.Sample) { + c.assertEqual(sample.getCode(), code, "Sample code") + c.assertEqual(sample.getType().getCode(), "UNKNOWN", "Type code") + c.assertEqual(sample.getIdentifier(), "/PLATONIC/SCREENING-EXAMPLES/" + code, "Identifier") + c.assertEqual(sample.getProject().getIdentifier(), "/PLATONIC/SCREENING-EXAMPLES", "Project") + c.assertEqual(sample.getSpace().getCode(), "PLATONIC", "Space code") + } + + testUpdate(c, fCreate, fUpdate, c.findSample, fCheck) + }) + + QUnit.test("updateSamples() with annotated parent and child", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("SAMPLE") + var parentId = new dtos.SampleIdentifier("/TEST/TEST-SAMPLE-1") + var childId = new dtos.SampleIdentifier("/TEST/TEST-PROJECT/TEST-SAMPLE-2") + + var fCreate = function (facade: openbis.openbis) { + var creation = new dtos.SampleCreation() + creation.setTypeId(new dtos.EntityTypePermId("UNKNOWN")) + creation.setCode(code) + creation.setSpaceId(new dtos.SpacePermId("TEST")) + creation.setParentIds([parentId]) + creation.setChildIds([childId]) + creation.relationship(parentId).addParentAnnotation("type", "father").addChildAnnotation("type", "daughter") + creation + .relationship(childId) + .addParentAnnotation("type", "mother") + .addChildAnnotation("type", "son") + .addParentAnnotation("color", "red") + return facade.createSamples([creation]) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var update = new dtos.SampleUpdate() + update.setSampleId(permId) + var parentRelationShip = update.relationship(parentId) + parentRelationShip.removeChildAnnotations(["type"]).addChildAnnotation("color", "blue").addParentAnnotation("color", "yellow") + var childRelationShip = update.relationship(childId) + childRelationShip.addParentAnnotation("color", "green").removeParentAnnotations(["type"]).addChildAnnotation("color", "black") + return facade.updateSamples([update]) + } + + var fCheck = function (sample: openbis.Sample) { + c.assertEqual(sample.getCode(), code, "Sample code") + c.assertEqual(sample.getType().getCode(), "UNKNOWN", "Type code") + c.assertEqual(sample.getSpace().getCode(), "TEST", "Space code") + var parent = sample.getParents()[0] + c.assertEqual(parent.getIdentifier().getIdentifier(), parentId.getIdentifier(), "Parent") + var parentRelationship = sample.getParentRelationship(parent.getPermId()) + c.assertEqualDictionary(parentRelationship.getChildAnnotations(), { color: "blue" }, "Parent -> child annotations") + c.assertEqualDictionary( + parentRelationship.getParentAnnotations(), + { type: "father", color: "yellow" }, + "Parent -> parent annotations" + ) + var child = sample.getChildren()[0] + c.assertEqual(child.getIdentifier().getIdentifier(), childId.getIdentifier(), "Child") + var childRelationship = sample.getChildRelationship(child.getPermId()) + c.assertEqualDictionary(childRelationship.getChildAnnotations(), { type: "son", color: "black" }, "Child -> child annotations") + c.assertEqualDictionary(childRelationship.getParentAnnotations(), { color: "green" }, "Child -> parent annotations") + } + + testUpdate(c, fCreate, fUpdate, c.findSample, fCheck) + }) + + QUnit.test("updateSamples() change property of type SAMPLE", function (assert) { + var c = new common(assert, dtos) + var propertyTypeCode = c.generateId("PROPERTY_TYPE") + var sampleTypeCode = c.generateId("SAMPLE_TYPE") + var code = c.generateId("SAMPLE") + + var fCreate = function (facade: openbis.openbis) { + var propertyTypeCreation = new dtos.PropertyTypeCreation() + propertyTypeCreation.setCode(propertyTypeCode) + propertyTypeCreation.setDescription("hello") + propertyTypeCreation.setDataType(dtos.DataType.SAMPLE) + propertyTypeCreation.setLabel("Test Property Type") + return facade.createPropertyTypes([propertyTypeCreation]).then(function (results) { + var assignmentCreation = new dtos.PropertyAssignmentCreation() + assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)) + var sampleTypeCreation = new dtos.SampleTypeCreation() + sampleTypeCreation.setCode(sampleTypeCode) + sampleTypeCreation.setPropertyAssignments([assignmentCreation]) + return facade.createSampleTypes([sampleTypeCreation]).then(function (results) { + var creation = new dtos.SampleCreation() + creation.setTypeId(new dtos.EntityTypePermId(sampleTypeCode)) + creation.setCode(code) + creation.setSpaceId(new dtos.SpacePermId("TEST")) + creation.setProperty(propertyTypeCode, "20130412140147735-20") + return facade.createSamples([creation]) + }) + }) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var update = new dtos.SampleUpdate() + update.setSampleId(permId) + update.setProperty(propertyTypeCode, "20130412140147736-21") + return facade.updateSamples([update]) + } + + var fCheck = function (sample: openbis.Sample) { + c.assertEqual(sample.getCode(), code, "Sample code") + c.assertEqual(sample.getType().getCode(), sampleTypeCode, "Type code") + c.assertEqual(sample.getSpace().getCode(), "TEST", "Space code") + c.assertEqual( + sample.getSampleProperties()[propertyTypeCode][0].getIdentifier().getIdentifier(), + "/PLATONIC/SCREENING-EXAMPLES/PLATE-2", + "Sample property" + ) + c.assertEqual( + (<openbis.PropertyHistoryEntry>sample.getHistory()[0]).getPropertyName(), + propertyTypeCode, + "Previous sample property name" + ) + c.assertEqual( + (<openbis.PropertyHistoryEntry>sample.getHistory()[0]).getPropertyValue(), + "20130412140147735-20", + "Previous sample property value" + ) + } + + testUpdate(c, fCreate, fUpdate, c.findSample, fCheck) + }) + + QUnit.test("updateSamples() change multi-value property of type SAMPLE", function (assert) { + var c = new common(assert, dtos) + var propertyTypeCode = c.generateId("PROPERTY_TYPE") + var sampleTypeCode = c.generateId("SAMPLE_TYPE") + var code = c.generateId("SAMPLE") + + var fCreate = function (facade: openbis.openbis) { + var propertyTypeCreation = new dtos.PropertyTypeCreation() + propertyTypeCreation.setCode(propertyTypeCode) + propertyTypeCreation.setDescription("hello") + propertyTypeCreation.setDataType(dtos.DataType.SAMPLE) + propertyTypeCreation.setLabel("Test Property Type") + propertyTypeCreation.setMultiValue(true) + return facade.createPropertyTypes([propertyTypeCreation]).then(function (results) { + var assignmentCreation = new dtos.PropertyAssignmentCreation() + assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)) + var sampleTypeCreation = new dtos.SampleTypeCreation() + sampleTypeCreation.setCode(sampleTypeCode) + sampleTypeCreation.setPropertyAssignments([assignmentCreation]) + return facade.createSampleTypes([sampleTypeCreation]).then(function (results) { + var creation = new dtos.SampleCreation() + creation.setTypeId(new dtos.EntityTypePermId(sampleTypeCode)) + creation.setCode(code) + creation.setSpaceId(new dtos.SpacePermId("TEST")) + creation.setProperty(propertyTypeCode, ["20130412140147735-20", "20130424134657597-433"]) + return facade.createSamples([creation]) + }) + }) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var update = new dtos.SampleUpdate() + update.setSampleId(permId) + update.setProperty(propertyTypeCode, "20130412140147736-21") + return facade.updateSamples([update]) + } + + var fCheck = function (sample: openbis.Sample) { + c.assertEqual(sample.getCode(), code, "Sample code") + c.assertEqual(sample.getType().getCode(), sampleTypeCode, "Type code") + c.assertEqual(sample.getSpace().getCode(), "TEST", "Space code") + c.assertEqual( + sample.getSampleProperties()[propertyTypeCode][0].getIdentifier().getIdentifier(), + "/PLATONIC/SCREENING-EXAMPLES/PLATE-2", + "Sample property" + ) + var history = sample.getHistory().filter((x: any) => x.propertyName == propertyTypeCode && x.validTo) + c.assertEqual(history.length, 2, "Previous sample property name") + c.assertEqual( + history + .map((x: any) => x.propertyValue) + .sort() + .toString(), + ["20130412140147735-20", "20130424134657597-433"].toString(), + "Previous sample property value" + ) + } + + testUpdate(c, fCreate, fUpdate, c.findSample, fCheck) + }) + + QUnit.test("updateSamples() remove property of type SAMPLE", function (assert) { + var c = new common(assert, dtos) + var propertyTypeCode = c.generateId("PROPERTY_TYPE") + var sampleTypeCode = c.generateId("SAMPLE_TYPE") + var code = c.generateId("SAMPLE") + + var fCreate = function (facade: openbis.openbis) { + var propertyTypeCreation = new dtos.PropertyTypeCreation() + propertyTypeCreation.setCode(propertyTypeCode) + propertyTypeCreation.setDescription("hello") + propertyTypeCreation.setDataType(dtos.DataType.SAMPLE) + propertyTypeCreation.setLabel("Test Property Type") + return facade.createPropertyTypes([propertyTypeCreation]).then(function (results) { + var assignmentCreation = new dtos.PropertyAssignmentCreation() + assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)) + var sampleTypeCreation = new dtos.SampleTypeCreation() + sampleTypeCreation.setCode(sampleTypeCode) + sampleTypeCreation.setPropertyAssignments([assignmentCreation]) + return facade.createSampleTypes([sampleTypeCreation]).then(function (results) { + var creation = new dtos.SampleCreation() + creation.setTypeId(new dtos.EntityTypePermId(sampleTypeCode)) + creation.setCode(code) + creation.setSpaceId(new dtos.SpacePermId("TEST")) + creation.setProperty(propertyTypeCode, "20130412140147735-20") + return facade.createSamples([creation]) + }) + }) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var update = new dtos.SampleUpdate() + update.setSampleId(permId) + update.setProperty(propertyTypeCode, null) + return facade.updateSamples([update]) + } + + var fCheck = function (sample: openbis.Sample) { + c.assertEqual(sample.getCode(), code, "Sample code") + c.assertEqual(sample.getType().getCode(), sampleTypeCode, "Type code") + c.assertEqual(sample.getSpace().getCode(), "TEST", "Space code") + c.assertObjectsCount(Object.keys(sample.getSampleProperties()), 0) + c.assertEqual( + (<openbis.PropertyHistoryEntry>sample.getHistory()[0]).getPropertyName(), + propertyTypeCode, + "Previous sample property name" + ) + c.assertEqual( + (<openbis.PropertyHistoryEntry>sample.getHistory()[0]).getPropertyValue(), + "20130412140147735-20", + "Previous sample property value" + ) + } + + testUpdate(c, fCreate, fUpdate, c.findSample, fCheck) + }) + + QUnit.test("updateDataSetTypes()", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("DATA_SET_TYPE") + + var fCreate = function (facade: openbis.openbis) { + var assignmentCreation = new dtos.PropertyAssignmentCreation() + assignmentCreation.setSection("test section") + assignmentCreation.setOrdinal(10) + assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId("DESCRIPTION")) + assignmentCreation.setPluginId(new dtos.PluginPermId("Diff_time")) + assignmentCreation.setMandatory(true) + assignmentCreation.setInitialValueForExistingEntities("initial value") + assignmentCreation.setShowInEditView(true) + assignmentCreation.setShowRawValueInForms(true) + + var creation = new dtos.DataSetTypeCreation() + creation.setCode(code) + creation.setDescription("a new description") + creation.setPropertyAssignments([assignmentCreation]) + creation.setMetaData({ dataset_type_update: "old_value", dataset_type_delete: "del_value" }) + + return facade.createDataSetTypes([creation]) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var assignmentCreation = new dtos.PropertyAssignmentCreation() + assignmentCreation.setSection("test section 2") + assignmentCreation.setOrdinal(10) + assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId("VERSION")) + assignmentCreation.setPluginId(new dtos.PluginPermId("Diff_time")) + assignmentCreation.setMandatory(true) + assignmentCreation.setInitialValueForExistingEntities("1.0") + assignmentCreation.setShowInEditView(true) + assignmentCreation.setShowRawValueInForms(true) + var update = new dtos.DataSetTypeUpdate() + update.setTypeId(permId) + update.setDescription("another new description") + update.setValidationPluginId(new dtos.PluginPermId("Has_Parents")) + update.setMainDataSetPattern(".*\\.jpg") + update.setMainDataSetPath("original/images/") + update.setDisallowDeletion(true) + update.getPropertyAssignments().set([assignmentCreation]) + update.getMetaData().put("dataset_type_update", "new_value") + update.getMetaData().add([{ dataset_type_add: "add_value" }]) + update.getMetaData().remove(["dataset_type_delete"]) + return facade.updateDataSetTypes([update]) + } + + var fCheck = function (type: openbis.DataSetType) { + c.assertEqual(type.getCode(), code, "Type code") + c.assertEqual(type.getPermId().getPermId(), code, "Type perm id") + c.assertEqual(type.getDescription(), "another new description", "Description") + c.assertEqual(type.getMainDataSetPattern(), ".*\\.jpg", "Main data set pattern") + c.assertEqual(type.getMainDataSetPath(), "original/images/", "Main data set path") + c.assertEqual(type.isDisallowDeletion(), true, "Disallow deletion") + + c.assertEqual(type.getPropertyAssignments().length, 1, "Assignments count") + + var assignment = type.getPropertyAssignments()[0] + + c.assertEqual(assignment.getSection(), "test section 2", "Assignment section") + c.assertEqual(assignment.getOrdinal(), 10, "Assignment ordinal") + c.assertEqual(assignment.getPropertyType().getCode(), "VERSION", "Assignment property type code") + c.assertEqual(assignment.isMandatory(), true, "Assignment mandatory") + c.assertEqual(assignment.isShowInEditView(), true, "Assignment ShowInEditView") + c.assertEqual(assignment.isShowRawValueInForms(), true, "Assignment ShowRawValueInForms") + + var metaData = type.getMetaData() + c.assertEqual(metaData["dataset_type_update"], "new_value", "Metadata update") + c.assertEqual(metaData["dataset_type_add"], "add_value", "Metadata add") + c.assertEqual(metaData["dataset_type_delete"], undefined, "Metadata delete") + } + + testUpdate(c, fCreate, fUpdate, c.findDataSetType, fCheck) + }) + + QUnit.test("updateDataSets()", function (assert) { + var c = new common(assert, dtos) + var code = null + + var fCreate = function (facade: openbis.openbis) { + return c.createDataSet(facade, "ALIGNMENT").then(function (permId) { + code = permId.getPermId() + return [permId] + }) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var physicalUpdate = new dtos.PhysicalDataUpdate() + physicalUpdate.setFileFormatTypeId(new dtos.FileFormatTypePermId("TIFF")) + physicalUpdate.setArchivingRequested(true) + + var update = new dtos.DataSetUpdate() + update.setDataSetId(permId) + update.setProperty("NOTES", "new 409 description") + update.setPhysicalData(physicalUpdate) + + return facade.updateDataSets([update]) + } + + var fCheck = function (dataSet: openbis.DataSet) { + c.assertEqual(dataSet.getCode(), code, "Code") + c.assertEqual(dataSet.getProperties()["NOTES"], "new 409 description", "Property NOTES") + c.assertEqual(dataSet.getPhysicalData().getFileFormatType().getCode(), "TIFF", "File format type") + c.assertEqual(dataSet.getPhysicalData().isArchivingRequested(), true, "Archiving requested") + } + + testUpdate(c, fCreate, fUpdate, c.findDataSet, fCheck) + }) + + QUnit.test("updateDataSet() change property of type SAMPLE", function (assert) { + var c = new common(assert, dtos) + var propertyTypeCode = c.generateId("PROPERTY_TYPE") + var dataSetTypeCode = c.generateId("DATA_SET_TYPE") + var code = c.generateId("DATA_SET") + + var fCreate = function (facade: openbis.openbis) { + var propertyTypeCreation = new dtos.PropertyTypeCreation() + propertyTypeCreation.setCode(propertyTypeCode) + propertyTypeCreation.setDescription("hello") + propertyTypeCreation.setDataType(dtos.DataType.SAMPLE) + propertyTypeCreation.setLabel("Test Property Type") + return facade.createPropertyTypes([propertyTypeCreation]).then(function (results) { + var assignmentCreation = new dtos.PropertyAssignmentCreation() + assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)) + var dataSetTypeCreation = new dtos.DataSetTypeCreation() + dataSetTypeCreation.setCode(dataSetTypeCode) + dataSetTypeCreation.setPropertyAssignments([assignmentCreation]) + return facade.createDataSetTypes([dataSetTypeCreation]).then(function (results) { + var creation = new dtos.DataSetCreation() + creation.setTypeId(new dtos.EntityTypePermId(dataSetTypeCode)) + creation.setCode(code) + creation.setDataSetKind(dtos.DataSetKind.CONTAINER) + creation.setDataStoreId(new dtos.DataStorePermId("DSS1")) + creation.setExperimentId(new dtos.ExperimentIdentifier("/TEST/TEST-PROJECT/TEST-EXPERIMENT")) + creation.setProperty(propertyTypeCode, "20130412140147735-20") + creation.setMetaData({ dataset_update: "old_value", dataset_delete: "del_value" }) + return facade.createDataSets([creation]) + }) + }) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var update = new dtos.DataSetUpdate() + update.setDataSetId(permId) + update.setProperty(propertyTypeCode, "20130412140147736-21") + update.getMetaData().put("dataset_update", "new_value") + update.getMetaData().add([{ dataset_add: "add_value" }]) + update.getMetaData().remove(["dataset_delete"]) + return facade.updateDataSets([update]) + } + + var fCheck = function (dataSet: openbis.DataSet) { + c.assertEqual(dataSet.getCode(), code, "Data set code") + c.assertEqual(dataSet.getType().getCode(), dataSetTypeCode, "Type code") + c.assertEqual( + dataSet.getSampleProperties()[propertyTypeCode][0].getIdentifier().getIdentifier(), + "/PLATONIC/SCREENING-EXAMPLES/PLATE-2", + "Sample property" + ) + c.assertEqual( + (<openbis.PropertyHistoryEntry>dataSet.getHistory()[0]).getPropertyName(), + propertyTypeCode, + "Previous sample property name" + ) + c.assertEqual( + (<openbis.PropertyHistoryEntry>dataSet.getHistory()[0]).getPropertyValue(), + "20130412140147735-20", + "Previous sample property value" + ) + + var metaData = dataSet.getMetaData() + c.assertEqual(metaData["dataset_update"], "new_value", "Metadata update") + c.assertEqual(metaData["dataset_add"], "add_value", "Metadata add") + c.assertEqual(metaData["dataset_delete"], undefined, "Metadata delete") + } + + testUpdate(c, fCreate, fUpdate, c.findDataSet, fCheck) + }) + + QUnit.test("updateDataSet() change multi-value property of type SAMPLE", function (assert) { + var c = new common(assert, dtos) + var propertyTypeCode = c.generateId("PROPERTY_TYPE") + var dataSetTypeCode = c.generateId("DATA_SET_TYPE") + var code = c.generateId("DATA_SET") + + var fCreate = function (facade: openbis.openbis) { + var propertyTypeCreation = new dtos.PropertyTypeCreation() + propertyTypeCreation.setCode(propertyTypeCode) + propertyTypeCreation.setDescription("hello") + propertyTypeCreation.setDataType(dtos.DataType.SAMPLE) + propertyTypeCreation.setLabel("Test Property Type") + propertyTypeCreation.setMultiValue(true) + return facade.createPropertyTypes([propertyTypeCreation]).then(function (results) { + var assignmentCreation = new dtos.PropertyAssignmentCreation() + assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)) + var dataSetTypeCreation = new dtos.DataSetTypeCreation() + dataSetTypeCreation.setCode(dataSetTypeCode) + dataSetTypeCreation.setPropertyAssignments([assignmentCreation]) + return facade.createDataSetTypes([dataSetTypeCreation]).then(function (results) { + var creation = new dtos.DataSetCreation() + creation.setTypeId(new dtos.EntityTypePermId(dataSetTypeCode)) + creation.setCode(code) + creation.setDataSetKind(dtos.DataSetKind.CONTAINER) + creation.setDataStoreId(new dtos.DataStorePermId("DSS1")) + creation.setExperimentId(new dtos.ExperimentIdentifier("/TEST/TEST-PROJECT/TEST-EXPERIMENT")) + creation.setProperty(propertyTypeCode, ["20130412140147735-20", "20130424134657597-433"]) + creation.setMetaData({ dataset_update: "old_value", dataset_delete: "del_value" }) + return facade.createDataSets([creation]) + }) + }) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var update = new dtos.DataSetUpdate() + update.setDataSetId(permId) + update.setProperty(propertyTypeCode, "20130412140147736-21") + update.getMetaData().put("dataset_update", "new_value") + update.getMetaData().add([{ dataset_add: "add_value" }]) + update.getMetaData().remove(["dataset_delete"]) + return facade.updateDataSets([update]) + } + + var fCheck = function (dataSet: openbis.DataSet) { + c.assertEqual(dataSet.getCode(), code, "Data set code") + c.assertEqual(dataSet.getType().getCode(), dataSetTypeCode, "Type code") + c.assertEqual( + dataSet.getSampleProperties()[propertyTypeCode][0].getIdentifier().getIdentifier(), + "/PLATONIC/SCREENING-EXAMPLES/PLATE-2", + "Sample property" + ) + var history = dataSet.getHistory().filter((x: any) => x.propertyName == propertyTypeCode && x.validTo) + c.assertEqual(history.length, 2, "Previous sample property name") + c.assertEqual( + history + .map((x: any) => x.propertyValue) + .sort() + .toString(), + ["20130412140147735-20", "20130424134657597-433"].toString(), + "Previous sample property value" + ) + + var metaData = dataSet.getMetaData() + c.assertEqual(metaData["dataset_update"], "new_value", "Metadata update") + c.assertEqual(metaData["dataset_add"], "add_value", "Metadata add") + c.assertEqual(metaData["dataset_delete"], undefined, "Metadata delete") + } + + testUpdate(c, fCreate, fUpdate, c.findDataSet, fCheck) + }) + + QUnit.test("updateDataSets() link data set", function (assert) { + var c = new common(assert, dtos) + var code = "20160613195437233-437" + + var fCreate = function (facade: openbis.openbis) { + return [new dtos.DataSetPermId(code)] + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var linkUpdate = new dtos.LinkedDataUpdate() + linkUpdate.setExternalCode("new code") + + var update = new dtos.DataSetUpdate() + update.setDataSetId(permId) + update.setLinkedData(linkUpdate) + + return facade.updateDataSets([update]) + } + + var fCheck = function (dataSet: openbis.DataSet) { + c.assertEqual(dataSet.getCode(), code, "Code") + c.assertEqual(dataSet.getLinkedData().getExternalCode(), "new code", "External code") + c.assertEqual(dataSet.getLinkedData().getExternalDms().getPermId().toString(), "DMS_1", "External DMS") + } + + testUpdate(c, fCreate, fUpdate, c.findDataSet, fCheck) + }) + + QUnit.test("updateDataSets() add content copy to link data set", function (assert) { + var c = new common(assert, dtos) + var edmsId = null + var code = null + + var fCreate = function (facade: openbis.openbis) { + return c.createLinkDataSet(facade, "root/path", "my-hash", "my-repository-id").then(function (permId) { + code = permId.getPermId() + return [permId] + }) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + return c.findDataSet(facade, permId).then(function (dataSet) { + var contentCopy = dataSet.getLinkedData().getContentCopies()[0] + edmsId = contentCopy.getExternalDms().getPermId() + var contentCopyListUpdateValue = new dtos.ContentCopyListUpdateValue() + var contentCopyCreation = new dtos.ContentCopyCreation() + contentCopyCreation.setExternalDmsId(edmsId) + contentCopyCreation.setPath("my/data/path") + contentCopyCreation.setGitCommitHash("my-git-hash") + contentCopyCreation.setGitRepositoryId("my-git-repository-id") + contentCopyListUpdateValue.add([contentCopyCreation]) + contentCopyListUpdateValue.remove([contentCopy.getId()]) + + var linkUpdate = new dtos.LinkedDataUpdate() + linkUpdate.setContentCopyActions(contentCopyListUpdateValue.getActions()) + + var update = new dtos.DataSetUpdate() + update.setDataSetId(permId) + update.setLinkedData(linkUpdate) + + return facade.updateDataSets([update]) + }) + } + + var fCheck = function (dataSet: openbis.DataSet) { + c.assertEqual(dataSet.getCode(), code, "Code") + var contentCopies = dataSet.getLinkedData().getContentCopies() + c.assertEqual(contentCopies.length, 1, "Number of content copies") + c.assertEqual(contentCopies[0].getExternalDms().getPermId().toString(), edmsId.toString(), "External DMS") + c.assertEqual(contentCopies[0].getExternalCode(), null, "External code") + c.assertEqual(contentCopies[0].getPath(), "/my/data/path", "Path") + c.assertEqual(contentCopies[0].getGitCommitHash(), "my-git-hash", "Git commit hash") + c.assertEqual(contentCopies[0].getGitRepositoryId(), "my-git-repository-id", "Git repository id") + } + + testUpdate(c, fCreate, fUpdate, c.findDataSet, fCheck) + }) + + QUnit.test("updateMaterialTypes()", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("MATERIAL_TYPE") + + var fCreate = function (facade: openbis.openbis) { + var assignmentCreation = new dtos.PropertyAssignmentCreation() + assignmentCreation.setSection("test section") + assignmentCreation.setOrdinal(10) + assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId("DESCRIPTION")) + assignmentCreation.setPluginId(new dtos.PluginPermId("Diff_time")) + assignmentCreation.setMandatory(true) + assignmentCreation.setInitialValueForExistingEntities("initial value") + assignmentCreation.setShowInEditView(true) + assignmentCreation.setShowRawValueInForms(true) + + var creation = new dtos.MaterialTypeCreation() + creation.setCode(code) + creation.setDescription("a new description") + creation.setPropertyAssignments([assignmentCreation]) + + return facade.createMaterialTypes([creation]) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var assignmentCreation = new dtos.PropertyAssignmentCreation() + assignmentCreation.setSection("test section 2") + assignmentCreation.setOrdinal(10) + assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId("VERSION")) + assignmentCreation.setPluginId(new dtos.PluginPermId("Diff_time")) + assignmentCreation.setMandatory(true) + assignmentCreation.setInitialValueForExistingEntities("1.0") + assignmentCreation.setShowInEditView(true) + assignmentCreation.setShowRawValueInForms(true) + var update = new dtos.MaterialTypeUpdate() + update.setTypeId(permId) + update.setDescription("another new description") + update.setValidationPluginId(new dtos.PluginPermId("Has_Parents")) + update.getPropertyAssignments().add([assignmentCreation]) + update.getPropertyAssignments().remove([new dtos.PropertyAssignmentPermId(permId, new dtos.PropertyTypePermId("DESCRIPTION"))]) + return facade.updateMaterialTypes([update]) + } + + var fCheck = function (type: openbis.MaterialType) { + c.assertEqual(type.getCode(), code, "Type code") + c.assertEqual(type.getPermId().getPermId(), code, "Type perm id") + c.assertEqual(type.getDescription(), "another new description", "Description") + + c.assertEqual(type.getPropertyAssignments().length, 1, "Assignments count") + + var assignment = type.getPropertyAssignments()[0] + + c.assertEqual(assignment.getSection(), "test section 2", "Assignment section") + c.assertEqual(assignment.getOrdinal(), 10, "Assignment ordinal") + c.assertEqual(assignment.getPropertyType().getCode(), "VERSION", "Assignment property type code") + c.assertEqual(assignment.isMandatory(), true, "Assignment mandatory") + c.assertEqual(assignment.isShowInEditView(), true, "Assignment ShowInEditView") + c.assertEqual(assignment.isShowRawValueInForms(), true, "Assignment ShowRawValueInForms") + } + + testUpdate(c, fCreate, fUpdate, c.findMaterialType, fCheck) + }) + + QUnit.test("updateMaterials()", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("MATERIAL") + + var fCreate = function (facade: openbis.openbis) { + var materialCreation = new dtos.MaterialCreation() + materialCreation.setTypeId(new dtos.EntityTypePermId("COMPOUND")) + materialCreation.setCode(code) + materialCreation.setProperty("DESCRIPTION", "Metal") + return facade.createMaterials([materialCreation]) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var materialUpdate = new dtos.MaterialUpdate() + materialUpdate.setMaterialId(permId) + materialUpdate.setProperty("DESCRIPTION", "Alloy") + return facade.updateMaterials([materialUpdate]) + } + + var fCheck = function (material: openbis.Material) { + c.assertEqual(material.getCode(), code, "Material code") + c.assertEqual(material.getType().getCode(), "COMPOUND", "Type code") + var properties = material.getProperties() + c.assertEqual(properties["DESCRIPTION"], "Alloy", "Property DESCRIPTION") + } + + testUpdate(c, fCreate, fUpdate, c.findMaterial, fCheck) + }) + + QUnit.test("updatePropertyTypes()", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("PROPERTY_TYPE") + var description = "Description of " + code + var label = "Label of " + code + var metaData1 = { greetings: "hello test" } + + var fCreate = function (facade: openbis.openbis) { + var creation = new dtos.PropertyTypeCreation() + creation.setCode(code) + creation.setLabel("Testing") + creation.setDescription("testing") + creation.setDataType(dtos.DataType.VARCHAR) + creation.setMetaData(metaData1) + return facade.createPropertyTypes([creation]) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var update = new dtos.PropertyTypeUpdate() + update.setTypeId(new dtos.PropertyTypePermId(code)) + update.setDescription(description) + update.setLabel(label) + var metaData = update.getMetaData() + metaData.remove(["greetings"]) + metaData.put("valid", "true") + return facade.updatePropertyTypes([update]) + } + + var fCheck = function (propertyType: openbis.PropertyType) { + c.assertEqual(propertyType.getCode(), code, "Code") + c.assertEqual(propertyType.getDescription(), description, "Description") + c.assertEqual(propertyType.getLabel(), label, "Label") + c.assertEqualDictionary(propertyType.getMetaData(), { valid: "true" }, "Meta data") + } + + testUpdate(c, fCreate, fUpdate, c.findPropertyType, fCheck) + }) + + QUnit.test("updatePropertyTypes() convert data type ", function (assert) { + var c = new common(assert, dtos) + var propertyTypeCode = c.generateId("PROPERTY_TYPE") + var dataSetTypeCode = c.generateId("DATA_SET_TYPE") + var code = c.generateId("DATA_SET") + + var fCreate = function (facade: openbis.openbis) { + var propertyTypeCreation = new dtos.PropertyTypeCreation() + propertyTypeCreation.setCode(propertyTypeCode) + propertyTypeCreation.setDescription("hello") + propertyTypeCreation.setDataType(dtos.DataType.SAMPLE) + propertyTypeCreation.setLabel("Test Property Type") + return facade.createPropertyTypes([propertyTypeCreation]).then(function (results) { + var assignmentCreation = new dtos.PropertyAssignmentCreation() + assignmentCreation.setPropertyTypeId(new dtos.PropertyTypePermId(propertyTypeCode)) + var dataSetTypeCreation = new dtos.DataSetTypeCreation() + dataSetTypeCreation.setCode(dataSetTypeCode) + dataSetTypeCreation.setPropertyAssignments([assignmentCreation]) + return facade.createDataSetTypes([dataSetTypeCreation]).then(function (results) { + var creation = new dtos.DataSetCreation() + creation.setTypeId(new dtos.EntityTypePermId(dataSetTypeCode)) + creation.setCode(code) + creation.setDataSetKind(dtos.DataSetKind.CONTAINER) + creation.setDataStoreId(new dtos.DataStorePermId("DSS1")) + creation.setExperimentId(new dtos.ExperimentIdentifier("/TEST/TEST-PROJECT/TEST-EXPERIMENT")) + creation.setProperty(propertyTypeCode, "20130412140147735-20") + return facade.createDataSets([creation]) + }) + }) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var update = new dtos.PropertyTypeUpdate() + update.setTypeId(new dtos.PropertyTypePermId(propertyTypeCode)) + update.convertToDataType(dtos.DataType.VARCHAR) + return facade.updatePropertyTypes([update]) + } + + var fCheck = function (dataSet: openbis.DataSet) { + c.assertEqual(dataSet.getCode(), code, "Data set code") + c.assertEqual(dataSet.getType().getCode(), dataSetTypeCode, "Type code") + c.assertObjectsCount(Object.keys(dataSet.getSampleProperties()), 0) + c.assertEqual(dataSet.getProperties()[propertyTypeCode], "20130412140147735-20", "Property") + } + + testUpdate(c, fCreate, fUpdate, c.findDataSet, fCheck) + }) + + QUnit.test("updatePlugins()", function (assert) { + var c = new common(assert, dtos) + var name = c.generateId("PLUGIN") + var description = "Description of " + name + var script = "print 'hello'" + + var fCreate = function (facade: openbis.openbis) { + var creation = new dtos.PluginCreation() + creation.setName(name) + creation.setScript("pass") + creation.setDescription("old description") + creation.setAvailable(false) + creation.setPluginType(dtos.PluginType.MANAGED_PROPERTY) + return facade.createPlugins([creation]) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var update = new dtos.PluginUpdate() + update.setPluginId(new dtos.PluginPermId(name)) + update.setDescription(description) + update.setScript(script) + return facade.updatePlugins([update]) + } + + var fCheck = function (plugin: openbis.Plugin) { + c.assertEqual(plugin.getName(), name, "Name") + c.assertEqual(plugin.getDescription(), description, "Description") + c.assertEqual(plugin.getScript(), script, "Script") + } + + testUpdate(c, fCreate, fUpdate, c.findPlugin, fCheck) + }) + + QUnit.test("updateVocabularies()", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("VOCABULARY") + var description = "Description of " + code + + var fCreate = function (facade: openbis.openbis) { + var creation = new dtos.VocabularyCreation() + creation.setCode(code) + return facade.createVocabularies([creation]) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var update = new dtos.VocabularyUpdate() + update.setVocabularyId(permId) + update.setDescription(description) + update.setChosenFromList(true) + update.setUrlTemplate("https://www.ethz.ch") + return facade.updateVocabularies([update]) + } + + var fCheck = function (vocabulary: openbis.Vocabulary) { + c.assertEqual(vocabulary.getCode(), code, "Code") + c.assertEqual(vocabulary.getPermId().getPermId(), code, "Perm id") + c.assertEqual(vocabulary.getDescription(), description, "Description") + c.assertEqual(vocabulary.getUrlTemplate(), "https://www.ethz.ch", "URL template") + } + + testUpdate(c, fCreate, fUpdate, c.findVocabulary, fCheck) + }) + + QUnit.test("updateVocabularyTerms()", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("VOCABULARY_TERM") + var description = "Description of " + code + + var fCreate = function (facade: openbis.openbis) { + var termCreation = new dtos.VocabularyTermCreation() + termCreation.setVocabularyId(new dtos.VocabularyPermId("TEST-VOCABULARY")) + termCreation.setCode(code) + return facade.createVocabularyTerms([termCreation]) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var termUpdate = new dtos.VocabularyTermUpdate() + termUpdate.setVocabularyTermId(permId) + termUpdate.setDescription(description) + return facade.updateVocabularyTerms([termUpdate]) + } + + var fCheck = function (term: openbis.VocabularyTerm) { + c.assertEqual(term.getCode(), code, "Term code") + c.assertEqual(term.getVocabulary().getCode(), "TEST-VOCABULARY", "Term vocabulary code") + c.assertEqual(term.getDescription(), description, "Term description") + } + + testUpdate(c, fCreate, fUpdate, c.findVocabularyTerm, fCheck) + }) + + QUnit.test("updateExternalDms()", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("EDMS") + + var fCreate = function (facade: openbis.openbis) { + var edmsCreation = new dtos.ExternalDmsCreation() + edmsCreation.setCode(code) + edmsCreation.setLabel("Test EDMS") + edmsCreation.setAddressType(dtos.ExternalDmsAddressType.OPENBIS) + edmsCreation.setAddress("https://my-site/q=${term}") + return facade.createExternalDataManagementSystems([edmsCreation]) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var edmsUpdate = new dtos.ExternalDmsUpdate() + edmsUpdate.setExternalDmsId(permId) + edmsUpdate.setLabel("Test EDMS 2") + edmsUpdate.setAddress("https://my-second-site/q=${term}") + return facade.updateExternalDataManagementSystems([edmsUpdate]) + } + + var fCheck = function (edms: openbis.ExternalDms) { + c.assertEqual(edms.getCode(), code, "EDMS code") + c.assertEqual(edms.getLabel(), "Test EDMS 2", "EDMS label") + c.assertEqual(edms.getAddress(), "https://my-second-site/q=${term}", "EDMS address") + c.assertEqual(edms.getUrlTemplate(), "https://my-second-site/q=${term}", "EDMS URL template") + c.assertEqual(edms.getAddressType(), "OPENBIS", "EDMS address type") + c.assertEqual(edms.isOpenbis(), true, "EDMS is openBIS") + } + + testUpdate(c, fCreate, fUpdate, c.findExternalDms, fCheck) + }) + + QUnit.test("updateTags()", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("TAG") + var description = "Description of " + code + + var fCreate = function (facade: openbis.openbis) { + var tagCreation = new dtos.TagCreation() + tagCreation.setCode(code) + return facade.createTags([tagCreation]) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var tagUpdate = new dtos.TagUpdate() + tagUpdate.setTagId(permId) + tagUpdate.setDescription(description) + return facade.updateTags([tagUpdate]) + } + + var fCheck = function (tag: openbis.Tag) { + c.assertEqual(tag.getCode(), code, "Tag code") + c.assertEqual(tag.getDescription(), description, "Tag description") + } + + testUpdate(c, fCreate, fUpdate, c.findTag, fCheck) + }) + + QUnit.test("updateAuthorizationGroups()", function (assert) { + var c = new common(assert, dtos) + var code = c.generateId("AUTHORIZATION_GROUP") + var description = "Description of " + code + + var fCreate = function (facade: openbis.openbis) { + var creation = new dtos.AuthorizationGroupCreation() + creation.setCode(code) + creation.setUserIds([new dtos.PersonPermId("power_user")]) + return facade.createAuthorizationGroups([creation]) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var update = new dtos.AuthorizationGroupUpdate() + update.setAuthorizationGroupId(permId) + update.setDescription(description) + update.getUserIds().remove([new dtos.PersonPermId("power_user")]) + update.getUserIds().add([new dtos.PersonPermId("admin"), new dtos.Me()]) + return facade.updateAuthorizationGroups([update]) + } + + var fCheck = function (group: openbis.AuthorizationGroup) { + c.assertEqual(group.getCode(), code, "Code") + c.assertEqual(group.getDescription(), description, "Description") + var users = $.map(group.getUsers(), function (user) { + return user.getUserId() + }) + users.sort() + c.assertEqual(users.toString(), "admin,openbis_test_js", "Users") + } + + testUpdate(c, fCreate, fUpdate, c.findAuthorizationGroup, fCheck) + }) + + QUnit.test("updatePersons()", function (assert) { + var c = new common(assert, dtos) + var userId = c.generateId("USER") + + var fCreate = function (facade: openbis.openbis) { + var creation = new dtos.PersonCreation() + creation.setUserId(userId) + return facade.createPersons([creation]).then(function (permIds) { + var creation = new dtos.RoleAssignmentCreation() + creation.setUserId(permIds[0]) + creation.setRole(dtos.Role.ADMIN) + return facade.createRoleAssignments([creation]).then(function (assignmentId) { + return permIds + }) + }) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var update = new dtos.PersonUpdate() + update.setUserId(permId) + update.setSpaceId(new dtos.SpacePermId("TEST")) + return facade.updatePersons([update]) + } + + var fCheck = function (person: openbis.Person) { + c.assertEqual(person.getUserId(), userId, "User id") + c.assertEqual(person.getSpace().getCode(), "TEST", "Home space") + c.assertEqual(person.isActive(), true, "Active") + } + + testUpdate(c, fCreate, fUpdate, c.findPerson, fCheck) + }) + + QUnit.test("updatePersons() deactivate", function (assert) { + var c = new common(assert, dtos) + var userId = c.generateId("USER") + + var fCreate = function (facade: openbis.openbis) { + var creation = new dtos.PersonCreation() + creation.setUserId(userId) + return facade.createPersons([creation]) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var update = new dtos.PersonUpdate() + update.setUserId(permId) + update.deactivate() + return facade.updatePersons([update]) + } + + var fCheck = function (person: openbis.Person) { + c.assertEqual(person.getUserId(), userId, "User id") + c.assertEqual(person.isActive(), false, "Active") + } + + testUpdate(c, fCreate, fUpdate, c.findPerson, fCheck) + }) + + QUnit.test("updatePersons() deactivate and activate", function (assert) { + var c = new common(assert, dtos) + var userId = c.generateId("USER") + + var fCreate = function (facade: openbis.openbis) { + var creation = new dtos.PersonCreation() + creation.setUserId(userId) + return facade.createPersons([creation]) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var deactivateUpdate = new dtos.PersonUpdate() + deactivateUpdate.setUserId(permId) + deactivateUpdate.deactivate() + return facade.updatePersons([deactivateUpdate]).then(function () { + var activateUpdate = new dtos.PersonUpdate() + activateUpdate.setUserId(permId) + activateUpdate.activate() + return facade.updatePersons([activateUpdate]) + }) + } + + var fCheck = function (person: openbis.Person) { + c.assertEqual(person.getUserId(), userId, "User id") + c.assertEqual(person.isActive(), true, "Active") + } + + testUpdate(c, fCreate, fUpdate, c.findPerson, fCheck) + }) + + QUnit.test("updatePersons() webAppSettings", function (assert) { + var c = new common(assert, dtos) + var userId = c.generateId("USER") + + var WEB_APP_1 = "webApp1" + var WEB_APP_2 = "webApp2" + var WEB_APP_3 = "webApp3" + var WEB_APP_4 = "webApp4" + + var fCreate = function (facade: openbis.openbis) { + var creation = new dtos.PersonCreation() + creation.setUserId(userId) + return facade.createPersons([creation]) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var update = new dtos.PersonUpdate() + update.setUserId(permId) + + var webApp1Update = update.getWebAppSettings(WEB_APP_1) + webApp1Update.add([new dtos.WebAppSettingCreation("n1a", "v1a")]) + webApp1Update.add([new dtos.WebAppSettingCreation("n1b", "v1b")]) + + var webApp2Update = update.getWebAppSettings(WEB_APP_2) + webApp2Update.add([new dtos.WebAppSettingCreation("n2a", "v2a")]) + + var webApp3Update = update.getWebAppSettings(WEB_APP_3) + webApp3Update.add([new dtos.WebAppSettingCreation("n3a", "v3a")]) + + var webApp4Update = update.getWebAppSettings(WEB_APP_4) + webApp4Update.add([new dtos.WebAppSettingCreation("n4a", "v4a")]) + + return facade.updatePersons([update]).then(function () { + var update = new dtos.PersonUpdate() + update.setUserId(permId) + + var webApp1Update = update.getWebAppSettings(WEB_APP_1) + webApp1Update.add([new dtos.WebAppSettingCreation("n1c", "v1c")]) + webApp1Update.remove(["n1b"]) + + var webApp2Update = update.getWebAppSettings(WEB_APP_2) + webApp2Update.set([new dtos.WebAppSettingCreation("n2a", "v2a updated"), new dtos.WebAppSettingCreation("n2c", "v2c")]) + + var webApp3Update = update.getWebAppSettings(WEB_APP_3) + webApp3Update.set([]) + + var webApp4Update = update.getWebAppSettings(WEB_APP_4) + webApp4Update.remove(["n4a"]) + + return facade.updatePersons([update]) + }) + } + + var fCheck = function (person: openbis.Person) { + c.assertEqual(person.getUserId(), userId, "User id") + c.assertEqual(Object.keys(person.getWebAppSettings()).length, 2, "Web apps") + + var webApp1 = person.getWebAppSettings(WEB_APP_1).getSettings() + c.assertEqual(Object.keys(webApp1).length, 2) + c.assertEqual(webApp1["n1a"].getValue(), "v1a") + c.assertEqual(webApp1["n1c"].getValue(), "v1c") + + var webApp2 = person.getWebAppSettings(WEB_APP_2).getSettings() + c.assertEqual(Object.keys(webApp2).length, 2) + c.assertEqual(webApp2["n2a"].getValue(), "v2a updated") + c.assertEqual(webApp2["n2c"].getValue(), "v2c") + } + + testUpdate(c, fCreate, fUpdate, c.findPerson, fCheck) + }) + + QUnit.test("updateOperationExecutions()", function (assert) { + var c = new common(assert, dtos) + var permId = null + + var fCreate = function (facade: openbis.openbis) { + return c.createOperationExecution(facade).then(function (id) { + permId = id + return [id] + }) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var executionUpdate = new dtos.OperationExecutionUpdate() + executionUpdate.setExecutionId(permId) + executionUpdate.setDescription("Description " + permId.getPermId()) + return facade.updateOperationExecutions([executionUpdate]) + } + + var fCheck = function (execution: openbis.OperationExecution) { + c.assertEqual(execution.getPermId().getPermId(), permId.getPermId(), "PermId") + c.assertEqual(execution.getDescription(), "Description " + permId.getPermId(), "Execution description") + } + + testUpdate(c, fCreate, fUpdate, c.findOperationExecution, fCheck) + }) + + QUnit.test("updateSemanticAnnotations()", function (assert) { + var c = new common(assert, dtos) + + var fCreate = function (facade: openbis.openbis) { + return c.createSemanticAnnotation(facade).then(function (permId) { + return [permId] + }) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + var update = new dtos.SemanticAnnotationUpdate() + update.setSemanticAnnotationId(permId) + update.setPredicateOntologyId("updatedPredicateOntologyId") + update.setPredicateOntologyVersion("updatedPredicateOntologyVersion") + update.setPredicateAccessionId("updatedPredicateAccessionId") + update.setDescriptorOntologyId("updatedDescriptorOntologyId") + update.setDescriptorOntologyVersion("updatedDescriptorOntologyVersion") + update.setDescriptorAccessionId("updatedDescriptorAccessionId") + return facade.updateSemanticAnnotations([update]) + } + + var fCheck = function (annotation: openbis.SemanticAnnotation) { + c.assertEqual(annotation.getPredicateOntologyId(), "updatedPredicateOntologyId", "Predicate Ontology Id") + c.assertEqual(annotation.getPredicateOntologyVersion(), "updatedPredicateOntologyVersion", "Predicate Ontology Version") + c.assertEqual(annotation.getPredicateAccessionId(), "updatedPredicateAccessionId", "Predicate Accession Id") + c.assertEqual(annotation.getDescriptorOntologyId(), "updatedDescriptorOntologyId", "Descriptor Ontology Id") + c.assertEqual(annotation.getDescriptorOntologyVersion(), "updatedDescriptorOntologyVersion", "Descriptor Ontology Version") + c.assertEqual(annotation.getDescriptorAccessionId(), "updatedDescriptorAccessionId", "Descriptor Accession Id") + } + + testUpdate(c, fCreate, fUpdate, c.findSemanticAnnotation, fCheck) + }) + + QUnit.test("updateQueries()", function (assert) { + var c = new common(assert, dtos) + + var update = new dtos.QueryUpdate() + update.setName(c.generateId("query")) + update.setDescription("updated description") + update.setDatabaseId(new dtos.QueryDatabaseName("openbisDB2")) + update.setQueryType(dtos.QueryType.SAMPLE) + update.setEntityTypeCodePattern("sample type pattern") + update.setSql("select * from samples where perm_id = ${key};") + update.setPublic(true) + + var fCreate = function (facade: openbis.openbis) { + return c.createQuery(facade).then(function (techId) { + return [techId] + }) + } + + var fUpdate = function (facade: openbis.openbis, techId) { + update.setQueryId(techId) + return facade.updateQueries([update]) + } + + var fCheck = function (query: openbis.Query) { + c.assertEqual(query.getName(), update.getName().getValue(), "Name") + c.assertEqual(query.getDescription(), update.getDescription().getValue(), "Description") + c.assertEqual( + (<openbis.QueryDatabaseName>query.getDatabaseId()).getName(), + (<openbis.QueryDatabaseName>update.getDatabaseId().getValue()).getName(), + "Database" + ) + c.assertEqual(query.getQueryType(), update.getQueryType().getValue(), "Query type") + c.assertEqual(query.getEntityTypeCodePattern(), update.getEntityTypeCodePattern().getValue(), "Entity type code pattern") + c.assertEqual(query.getSql(), update.getSql().getValue(), "Sql") + c.assertEqual(query.isPublic(), update.isPublic().getValue(), "Is public") + } + + testUpdate(c, fCreate, fUpdate, c.findQuery, fCheck) + }) + + QUnit.test("updatePersonalAccessTokens()", function (assert) { + var c = new common(assert, dtos) + + var update = new dtos.PersonalAccessTokenUpdate() + update.setAccessDate(new Date().getTime()) + + var fCreate = function (facade: openbis.openbis) { + return c.createPersonalAccessToken(facade).then(function (permId) { + return [permId] + }) + } + + var fUpdate = function (facade: openbis.openbis, permId) { + update.setPersonalAccessTokenId(permId) + return facade.updatePersonalAccessTokens([update]) + } + + var fCheck = function (pat: openbis.PersonalAccessToken) { + c.assertEqual(pat.getAccessDate(), update.getAccessDate().getValue(), "Access date") + } + + testUpdate(c, fCreate, fUpdate, c.findPersonalAccessToken, fCheck) + }) + } + + resolve(function () { + executeModule("Update tests (RequireJS)", new openbisRequireJS(), dtos) + executeModule("Update tests (RequireJS - executeOperations)", new openbisExecuteOperations(new openbisRequireJS(), dtos), dtos) + executeModule("Update tests (module VAR)", new window.openbis.openbis(), window.openbis) + executeModule( + "Update tests (module VAR - executeOperations)", + new openbisExecuteOperations(new window.openbis.openbis(), window.openbis), + window.openbis + ) + executeModule("Update tests (module ESM)", new window.openbisESM.openbis(), window.openbisESM) + executeModule( + "Update tests (module ESM - executeOperations)", + new openbisExecuteOperations(new window.openbisESM.openbis(), window.openbisESM), + window.openbisESM + ) + }) + }) +}) diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/types/common.d.ts b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/types/common.d.ts new file mode 100644 index 0000000000000000000000000000000000000000..66b5c75274c9376bfd618acb61aa8c16b7ac0aae --- /dev/null +++ b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/types/common.d.ts @@ -0,0 +1,151 @@ +import openbis from "./openbis.esm" +import jquery from "./jquery" + +export default common + +export namespace common { + interface CommonConstructor { + new (a: any, dtos: openbis.bundle): CommonClass + } + + interface CommonClass { + generateId(base: string): string + getId(entity): string + generateId(base): string + createSpace(facade: openbis.openbis): Promise<openbis.SpacePermId> + createProject(facade: openbis.openbis): Promise<openbis.ProjectPermId> + createExperiment(facade: openbis.openbis): Promise<openbis.ExperimentPermId> + createSample(facade: openbis.openbis): Promise<openbis.SamplePermId> + createLinkDataSet( + facade: openbis.openbis, + path: string, + gitCommitHash: string, + gitRepositoryId: string + ): jquery.Promise<openbis.DataSetPermId> + createDataSet(facade: openbis.openbis, dataSetType): Promise<openbis.DataSetPermId> + waitUntilEmailWith(facade: openbis.openbis, textSnippet, timeout): jquery.JQueryPromise<any> + waitUntilIndexed(facade: openbis.openbis, dataSetCode, timeout): jquery.JQueryPromise<unknown> + getResponseFromJSTestAggregationService(facade: openbis.openbis, params, callback): jquery.JQueryPromise<any> + createMaterial(facade: openbis.openbis): Promise<openbis.MaterialPermId> + createPropertyType(facade: openbis.openbis): Promise<openbis.PropertyTypePermId> + createPlugin(facade: openbis.openbis): Promise<openbis.PluginPermId> + createVocabulary(facade: openbis.openbis): Promise<openbis.VocabularyPermId> + createVocabularyTerm(facade: openbis.openbis): Promise<openbis.VocabularyTermPermId> + createExperimentType(facade: openbis.openbis): Promise<openbis.EntityTypePermId> + createSampleType(facade: openbis.openbis): Promise<openbis.EntityTypePermId> + createDataSetType(facade: openbis.openbis): Promise<openbis.EntityTypePermId> + createMaterialType(facade: openbis.openbis): Promise<openbis.EntityTypePermId> + createExternalDms(facade: openbis.openbis): Promise<openbis.ExternalDmsPermId> + createFileExternalDms(facade: openbis.openbis): Promise<openbis.ExternalDmsPermId> + createTag(facade: openbis.openbis): Promise<openbis.TagPermId> + createAuthorizationGroup(facade: openbis.openbis): Promise<openbis.AuthorizationGroupPermId> + createRoleAssignment(facade: openbis.openbis, isUser): Promise<openbis.RoleAssignmentTechId> + createPerson(facade: openbis.openbis): Promise<openbis.PersonPermId> + createSemanticAnnotation(facade: openbis.openbis): Promise<openbis.SemanticAnnotationPermId> + createOperationExecution(facade: openbis.openbis): Promise<openbis.OperationExecutionPermId> + createQuery(facade: openbis.openbis): Promise<openbis.QueryTechId> + createPersonalAccessToken(facade: openbis.openbis): Promise<openbis.PersonalAccessTokenPermId> + findSpace(facade: openbis.openbis, id): Promise<openbis.Space> + findProject(facade: openbis.openbis, id): Promise<openbis.Project> + findExperiment(facade: openbis.openbis, id): Promise<openbis.Experiment> + findExperimentType(facade: openbis.openbis, id): Promise<openbis.ExperimentType> + findSample(facade: openbis.openbis, id): Promise<openbis.Sample> + findSampleType(facade: openbis.openbis, id): Promise<openbis.SampleType> + findDataSet(facade: openbis.openbis, id): Promise<openbis.DatSet> + findDataSetType(facade: openbis.openbis, id): Promise<openbis.DataSetType> + findMaterial(facade: openbis.openbis, id): Promise<openbis.Material> + findMaterialType(facade: openbis.openbis, id): Promise<openbis.MaterialType> + findPropertyType(facade: openbis.openbis, id): Promise<openbis.PropertyType> + findPlugin(facade: openbis.openbis, id): Promise<openbis.Plugin> + findVocabulary(facade: openbis.openbis, id): Promise<openbis.Vocabulary> + findVocabularyTerm(facade: openbis.openbis, id): Promise<openbis.VocabularyTerm> + findTag(facade: openbis.openbis, id): Promise<openbis.Tag> + findAuthorizationGroup(facade: openbis.openbis, id): Promise<openbis.AuthorizationGroup> + findRoleAssignment(facade: openbis.openbis, id): Promise<openbis.RoleAssignment> + findPerson(facade: openbis.openbis, id): Promise<openbis.Person> + findSemanticAnnotation(facade: openbis.openbis, id): Promise<openbis.SemanticAnnotation> + findExternalDms(facade: openbis.openbis, id): Promise<openbis.ExternalDms> + findOperationExecution(facade: openbis.openbis, id): Promise<openbis.OperationExecution> + findQuery(facade: openbis.openbis, id): Promise<openbis.Query> + findPersonalAccessToken(facade: openbis.openbis, id): Promise<openbis.PersonalAccessToken> + deleteSpace(facade: openbis.openbis, id): Promise<void> + deleteProject(facade: openbis.openbis, id): Promise<void> + deleteExperiment(facade: openbis.openbis, id): Promise<openbis.IDeletionId> + deleteSample(facade: openbis.openbis, id): Promise<openbis.IDeletionId> + deleteDataSet(facade: openbis.openbis, id): Promise<openbis.IDeletionId> + deleteMaterial(facade: openbis.openbis, id): Promise<void> + deleteExternalDms(facade: openbis.openbis, id): Promise<void> + deleteExperimentType(facade: openbis.openbis, id): Promise<void> + deleteSampleType(facade: openbis.openbis, id): Promise<void> + deleteDataSetType(facade: openbis.openbis, id): Promise<void> + deleteMaterialType(facade: openbis.openbis, id): Promise<void> + deletePlugin(facade: openbis.openbis, id): Promise<void> + deletePropertyType(facade: openbis.openbis, id): Promise<void> + deleteVocabulary(facade: openbis.openbis, id): Promise<void> + deleteVocabularyTerm(facade: openbis.openbis, id): Promise<void> + replaceVocabularyTerm(facade: openbis.openbis, id): Promise<void> + deleteTag(facade: openbis.openbis, id): Promise<void> + deleteAuthorizationGroup(facade: openbis.openbis, id): Promise<void> + deleteRoleAssignment(facade: openbis.openbis, id): Promise<void> + deleteOperationExecution(facade: openbis.openbis, id): Promise<void> + deleteSemanticAnnotation(facade: openbis.openbis, id): Promise<void> + deleteQuery(facade: openbis.openbis, id): Promise<void> + deletePersonalAccessToken(facade: openbis.openbis, id): Promise<void> + deletePerson(facade: openbis.openbis, id): Promise<void> + getObjectProperty(object: any, propertyName: string): any + login(facade: openbis.openbis): jquery.JQueryPromise<unknown> + createSpaceFetchOptions(): openbis.SpaceFetchOptions + createProjectFetchOptions(): openbis.ProjectFetchOptions + createExperimentFetchOptions(): openbis.ExperimentFetchOptions + createExperimentTypeFetchOptions(): openbis.ExperimentTypeFetchOptions + createSampleFetchOptions(): openbis.SampleFetchOptions + createSampleTypeFetchOptions(): openbis.SampleTypeFetchOptions + createDataSetFetchOptions(): openbis.DataSetFetchOptions + createDataSetTypeFetchOptions(): openbis.DataSetTypeFetchOptions + createMaterialFetchOptions(): openbis.MaterialFetchOptions + createMaterialTypeFetchOptions(): openbis.MaterialTypeFetchOptions + createPluginFetchOptions(): openbis.PluginFetchOptions + createVocabularyFetchOptions(): openbis.VocabularyFetchOptions + createVocabularyTermFetchOptions(): openbis.VocabularyTermFetchOptions + createGlobalSearchObjectFetchOptions(): openbis.GlobalSearchObjectFetchOptions + createObjectKindModificationFetchOptions(): openbis.ObjectKindModificationFetchOptions + createTagFetchOptions(): openbis.TagFetchOptions + createAuthorizationGroupFetchOptions(): openbis.AuthorizationGroupFetchOptions + createRoleAssignmentFetchOptions(): openbis.RoleAssignmentFetchOptions + createPersonFetchOptions(): openbis.PersonFetchOptions + createPropertyTypeFetchOptions(): openbis.PropertyTypeFetchOptions + createPropertyAssignmentFetchOptions(): openbis.PropertyAssignmentFetchOptions + createSemanticAnnotationFetchOptions(): openbis.SemanticAnnotationFetchOptions + createExternalDmsFetchOptions(): openbis.ExternalDmsFetchOptions + createOperationExecutionFetchOptions(): openbis.OperationExecutionFetchOptions + createDataStoreFetchOptions(): openbis.DataStoreFetchOptions + createDataSetFileFetchOptions(): openbis.DataSetFileFetchOptions + createQueryFetchOptions(): openbis.QueryFetchOptions + createPersonalAccessTokenFetchOptions(): openbis.PersonalAccessTokenFetchOptions + extractIdentifiers(entities): string[] + extractCodes(entities): string[] + assertNull(actual, msg?): void + assertNotNull(actual, msg?): void + assertTrue(actual, msg?): void + assertFalse(actual, msg?): void + assertContains(actual, expected, msg?): void + assertEqual(actual, expected, msg?): void + assertDeepEqual(actual, expected, msg?): void + assertNotEqual(actual, expected, msg?): void + assertDate(millis, msg, year, month, day, hour, minute): void + assertToday(millis, msg?): void + assertEqualDictionary(actual, expected, msg?): void + renderDictionary(dictionary): string + assertObjectsCount(objects: any[], count: number): void + assertObjectsWithValues(objects: any[], propertyName: string, propertyValues: any): void + assertObjectsWithOrWithoutCollections(objects: any[], accessor, checker): void + assertObjectsWithCollections(objects: any[], accessor): void + assertObjectsWithoutCollections(objects: any[], accessor): void + shallowEqual(actual, expected): void + start(): void + finish(): void + ok(msg?): void + section(msg): void + fail(msg?): void + } +} diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/types/jquery.d.ts b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/types/jquery.d.ts new file mode 100644 index 0000000000000000000000000000000000000000..f28923d0372067f23b277f0d2ffc788d5ba9d365 --- /dev/null +++ b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/types/jquery.d.ts @@ -0,0 +1,3855 @@ +/* ***************************************************************************** +Copyright (c) Microsoft Corporation. All rights reserved. +Licensed under the Apache License, Version 2.0 (the "License"); you may not use +this file except in compliance with the License. You may obtain a copy of the +License at http://www.apache.org/licenses/LICENSE-2.0 + +THIS CODE IS PROVIDED *AS IS* BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY +KIND, EITHER EXPRESS OR IMPLIED, INCLUDING WITHOUT LIMITATION ANY IMPLIED +WARRANTIES OR CONDITIONS OF TITLE, FITNESS FOR A PARTICULAR PURPOSE, +MERCHANTABLITY OR NON-INFRINGEMENT. + +See the Apache Version 2.0 License for specific language governing permissions +and limitations under the License. +***************************************************************************** */ + +declare namespace jquery { + /** + * Interface for the AJAX setting that will configure the AJAX request + * @see {@link https://api.jquery.com/jQuery.ajax/#jQuery-ajax-settings} + */ + interface JQueryAjaxSettings { + /** + * The content type sent in the request header that tells the server what kind of response it will accept in return. If the accepts setting needs modification, it is recommended to do so once in the $.ajaxSetup() method. + */ + accepts?: any + /** + * By default, all requests are sent asynchronously (i.e. this is set to true by default). If you need synchronous requests, set this option to false. Cross-domain requests and dataType: "jsonp" requests do not support synchronous operation. Note that synchronous requests may temporarily lock the browser, disabling any actions while the request is active. As of jQuery 1.8, the use of async: false with jqXHR ($.Deferred) is deprecated; you must use the success/error/complete callback options instead of the corresponding methods of the jqXHR object such as jqXHR.done() or the deprecated jqXHR.success(). + */ + async?: boolean | undefined + /** + * A pre-request callback function that can be used to modify the jqXHR (in jQuery 1.4.x, XMLHTTPRequest) object before it is sent. Use this to set custom headers, etc. The jqXHR and settings objects are passed as arguments. This is an Ajax Event. Returning false in the beforeSend function will cancel the request. As of jQuery 1.5, the beforeSend option will be called regardless of the type of request. + */ + beforeSend?(jqXHR: JQueryXHR, settings: JQueryAjaxSettings): any + /** + * If set to false, it will force requested pages not to be cached by the browser. Note: Setting cache to false will only work correctly with HEAD and GET requests. It works by appending "_={timestamp}" to the GET parameters. The parameter is not needed for other types of requests, except in IE8 when a POST is made to a URL that has already been requested by a GET. + */ + cache?: boolean | undefined + /** + * A function to be called when the request finishes (after success and error callbacks are executed). The function gets passed two arguments: The jqXHR (in jQuery 1.4.x, XMLHTTPRequest) object and a string categorizing the status of the request ("success", "notmodified", "error", "timeout", "abort", or "parsererror"). As of jQuery 1.5, the complete setting can accept an array of functions. Each function will be called in turn. This is an Ajax Event. + */ + complete?(jqXHR: JQueryXHR, textStatus: string): any + /** + * An object of string/regular-expression pairs that determine how jQuery will parse the response, given its content type. (version added: 1.5) + */ + contents?: { [key: string]: any } | undefined + // According to jQuery.ajax source code, ajax's option actually allows contentType to set to "false" + // https://github.com/DefinitelyTyped/DefinitelyTyped/issues/742 + /** + * When sending data to the server, use this content type. Default is "application/x-www-form-urlencoded; charset=UTF-8", which is fine for most cases. If you explicitly pass in a content-type to $.ajax(), then it is always sent to the server (even if no data is sent). The W3C XMLHttpRequest specification dictates that the charset is always UTF-8; specifying another charset will not force the browser to change the encoding. + */ + contentType?: any + /** + * This object will be made the context of all Ajax-related callbacks. By default, the context is an object that represents the ajax settings used in the call ($.ajaxSettings merged with the settings passed to $.ajax). + */ + context?: any + /** + * An object containing dataType-to-dataType converters. Each converter's value is a function that returns the transformed value of the response. (version added: 1.5) + */ + converters?: { [key: string]: any } | undefined + /** + * If you wish to force a crossDomain request (such as JSONP) on the same domain, set the value of crossDomain to true. This allows, for example, server-side redirection to another domain. (version added: 1.5) + */ + crossDomain?: boolean | undefined + /** + * Data to be sent to the server. It is converted to a query string, if not already a string. It's appended to the url for GET-requests. See processData option to prevent this automatic processing. Object must be key-value pairs. If value is an Array, jQuery serializes multiple values with same key based on the value of the traditional setting (described below). + */ + data?: any + /** + * A function to be used to handle the raw response data of XMLHttpRequest.This is a pre-filtering function to sanitize the response. You should return the sanitized data. The function accepts two arguments: The raw data returned from the server and the 'dataType' parameter. + */ + dataFilter?(data: any, ty: any): any + /** + * The type of data that you're expecting back from the server. If none is specified, jQuery will try to infer it based on the MIME type of the response (an XML MIME type will yield XML, in 1.4 JSON will yield a JavaScript object, in 1.4 script will execute the script, and anything else will be returned as a string). + */ + dataType?: string | undefined + /** + * A function to be called if the request fails. The function receives three arguments: The jqXHR (in jQuery 1.4.x, XMLHttpRequest) object, a string describing the type of error that occurred and an optional exception object, if one occurred. Possible values for the second argument (besides null) are "timeout", "error", "abort", and "parsererror". When an HTTP error occurs, errorThrown receives the textual portion of the HTTP status, such as "Not Found" or "Internal Server Error." As of jQuery 1.5, the error setting can accept an array of functions. Each function will be called in turn. Note: This handler is not called for cross-domain script and cross-domain JSONP requests. This is an Ajax Event. + */ + error?(jqXHR: JQueryXHR, textStatus: string, errorThrown: string): any + /** + * Whether to trigger global Ajax event handlers for this request. The default is true. Set to false to prevent the global handlers like ajaxStart or ajaxStop from being triggered. This can be used to control various Ajax Events. + */ + global?: boolean | undefined + /** + * An object of additional header key/value pairs to send along with requests using the XMLHttpRequest transport. The header X-Requested-With: XMLHttpRequest is always added, but its default XMLHttpRequest value can be changed here. Values in the headers setting can also be overwritten from within the beforeSend function. (version added: 1.5) + */ + headers?: { [key: string]: any } | undefined + /** + * Allow the request to be successful only if the response has changed since the last request. This is done by checking the Last-Modified header. Default value is false, ignoring the header. In jQuery 1.4 this technique also checks the 'etag' specified by the server to catch unmodified data. + */ + ifModified?: boolean | undefined + /** + * Allow the current environment to be recognized as "local," (e.g. the filesystem), even if jQuery does not recognize it as such by default. The following protocols are currently recognized as local: file, *-extension, and widget. If the isLocal setting needs modification, it is recommended to do so once in the $.ajaxSetup() method. (version added: 1.5.1) + */ + isLocal?: boolean | undefined + /** + * Override the callback function name in a jsonp request. This value will be used instead of 'callback' in the 'callback=?' part of the query string in the url. So {jsonp:'onJSONPLoad'} would result in 'onJSONPLoad=?' passed to the server. As of jQuery 1.5, setting the jsonp option to false prevents jQuery from adding the "?callback" string to the URL or attempting to use "=?" for transformation. In this case, you should also explicitly set the jsonpCallback setting. For example, { jsonp: false, jsonpCallback: "callbackName" } + */ + jsonp?: any + /** + * Specify the callback function name for a JSONP request. This value will be used instead of the random name automatically generated by jQuery. It is preferable to let jQuery generate a unique name as it'll make it easier to manage the requests and provide callbacks and error handling. You may want to specify the callback when you want to enable better browser caching of GET requests. As of jQuery 1.5, you can also use a function for this setting, in which case the value of jsonpCallback is set to the return value of that function. + */ + jsonpCallback?: any + /** + * The HTTP method to use for the request (e.g. "POST", "GET", "PUT"). (version added: 1.9.0) + */ + method?: string | undefined + /** + * A MIME type to override the XHR MIME type. (version added: 1.5.1) + */ + mimeType?: string | undefined + /** + * A password to be used with XMLHttpRequest in response to an HTTP access authentication request. + */ + password?: string | undefined + /** + * By default, data passed in to the data option as an object (technically, anything other than a string) will be processed and transformed into a query string, fitting to the default content-type "application/x-www-form-urlencoded". If you want to send a DOMDocument, or other non-processed data, set this option to false. + */ + processData?: boolean | undefined + /** + * Only applies when the "script" transport is used (e.g., cross-domain requests with "jsonp" or "script" dataType and "GET" type). Sets the charset attribute on the script tag used in the request. Used when the character set on the local page is not the same as the one on the remote script. + */ + scriptCharset?: string | undefined + /** + * An object of numeric HTTP codes and functions to be called when the response has the corresponding code. f the request is successful, the status code functions take the same parameters as the success callback; if it results in an error (including 3xx redirect), they take the same parameters as the error callback. (version added: 1.5) + */ + statusCode?: { [key: string]: any } | undefined + /** + * A function to be called if the request succeeds. The function gets passed three arguments: The data returned from the server, formatted according to the dataType parameter; a string describing the status; and the jqXHR (in jQuery 1.4.x, XMLHttpRequest) object. As of jQuery 1.5, the success setting can accept an array of functions. Each function will be called in turn. This is an Ajax Event. + */ + success?(data: any, textStatus: string, jqXHR: JQueryXHR): any + /** + * Set a timeout (in milliseconds) for the request. This will override any global timeout set with $.ajaxSetup(). The timeout period starts at the point the $.ajax call is made; if several other requests are in progress and the browser has no connections available, it is possible for a request to time out before it can be sent. In jQuery 1.4.x and below, the XMLHttpRequest object will be in an invalid state if the request times out; accessing any object members may throw an exception. In Firefox 3.0+ only, script and JSONP requests cannot be cancelled by a timeout; the script will run even if it arrives after the timeout period. + */ + timeout?: number | undefined + /** + * Set this to true if you wish to use the traditional style of parameter serialization. + */ + traditional?: boolean | undefined + /** + * The type of request to make ("POST" or "GET"), default is "GET". Note: Other HTTP request methods, such as PUT and DELETE, can also be used here, but they are not supported by all browsers. + */ + type?: string | undefined + /** + * A string containing the URL to which the request is sent. + */ + url?: string | undefined + /** + * A username to be used with XMLHttpRequest in response to an HTTP access authentication request. + */ + username?: string | undefined + /** + * Callback for creating the XMLHttpRequest object. Defaults to the ActiveXObject when available (IE), the XMLHttpRequest otherwise. Override to provide your own implementation for XMLHttpRequest or enhancements to the factory. + */ + xhr?: any + /** + * An object of fieldName-fieldValue pairs to set on the native XHR object. For example, you can use it to set withCredentials to true for cross-domain requests if needed. In jQuery 1.5, the withCredentials property was not propagated to the native XHR and thus CORS requests requiring it would ignore this flag. For this reason, we recommend using jQuery 1.5.1+ should you require the use of it. (version added: 1.5.1) + */ + xhrFields?: { [key: string]: any } | undefined + } + + /** + * Interface for the jqXHR object + * @see {@link https://api.jquery.com/jQuery.ajax/#jqXHR} + */ + interface JQueryXHR extends XMLHttpRequest, JQueryPromise<any> { + /** + * The .overrideMimeType() method may be used in the beforeSend() callback function, for example, to modify the response content-type header. As of jQuery 1.5.1, the jqXHR object also contains the overrideMimeType() method (it was available in jQuery 1.4.x, as well, but was temporarily removed in jQuery 1.5). + */ + overrideMimeType(mimeType: string): any + /** + * Cancel the request. + * + * @param statusText A string passed as the textStatus parameter for the done callback. Default value: "canceled" + */ + abort(statusText?: string): void + /** + * Incorporates the functionality of the .done() and .fail() methods, allowing (as of jQuery 1.8) the underlying Promise to be manipulated. Refer to deferred.then() for implementation details. + */ + then<R>( + doneCallback: (data: any, textStatus: string, jqXHR: JQueryXHR) => R | JQueryPromise<R>, + failCallback?: (jqXHR: JQueryXHR, textStatus: string, errorThrown: any) => void + ): JQueryPromise<R> + /** + * Property containing the parsed response if the response content type is json + */ + responseJSON?: any + /** + * A function to be called if the request fails. + */ + error(xhr: JQueryXHR, textStatus: string, errorThrown: string): void + } + + /** + * Interface for the JQuery callback + * @see {@link https://api.jquery.com/category/callbacks-object/} + */ + interface JQueryCallback { + /** + * Add a callback or a collection of callbacks to a callback list. + * + * @param callbacks A function, or array of functions, that are to be added to the callback list. + * @see {@link https://api.jquery.com/callbacks.add/} + */ + add(callbacks: Function): JQueryCallback + /** + * Add a callback or a collection of callbacks to a callback list. + * + * @param callbacks A function, or array of functions, that are to be added to the callback list. + * @see {@link https://api.jquery.com/callbacks.add/} + */ + add(callbacks: Function[]): JQueryCallback + + /** + * Disable a callback list from doing anything more. + * @see {@link https://api.jquery.com/callbacks.disable/} + */ + disable(): JQueryCallback + + /** + * Determine if the callbacks list has been disabled. + * @see {@link https://api.jquery.com/callbacks.disabled/} + */ + disabled(): boolean + + /** + * Remove all of the callbacks from a list. + * @see {@link https://api.jquery.com/callbacks.empty/} + */ + empty(): JQueryCallback + + /** + * Call all of the callbacks with the given arguments + * + * @param arguments The argument or list of arguments to pass back to the callback list. + * @see {@link https://api.jquery.com/callbacks.fire/} + */ + fire(...arguments: any[]): JQueryCallback + + /** + * Determine if the callbacks have already been called at least once. + * @see {@link https://api.jquery.com/callbacks.fired/} + */ + fired(): boolean + + /** + * Call all callbacks in a list with the given context and arguments. + * + * @param context A reference to the context in which the callbacks in the list should be fired. + * @param arguments An argument, or array of arguments, to pass to the callbacks in the list. + * @see {@link https://api.jquery.com/callbacks.fireWith/} + */ + fireWith(context?: any, args?: any[]): JQueryCallback + + /** + * Determine whether a supplied callback is in a list + * + * @param callback The callback to search for. + * @see {@link https://api.jquery.com/callbacks.has/} + */ + has(callback: Function): boolean + + /** + * Lock a callback list in its current state. + * @see {@link https://api.jquery.com/callbacks.lock/} + */ + lock(): JQueryCallback + + /** + * Determine if the callbacks list has been locked. + * @see {@link https://api.jquery.com/callbacks.locked/} + */ + locked(): boolean + + /** + * Remove a callback or a collection of callbacks from a callback list. + * + * @param callbacks A function, or array of functions, that are to be removed from the callback list. + * @see {@link https://api.jquery.com/callbacks.remove/} + */ + remove(callbacks: Function): JQueryCallback + /** + * Remove a callback or a collection of callbacks from a callback list. + * + * @param callbacks A function, or array of functions, that are to be removed from the callback list. + * @see {@link https://api.jquery.com/callbacks.remove/} + */ + remove(callbacks: Function[]): JQueryCallback + } + + /** + * Allows jQuery Promises to interop with non-jQuery promises + */ + interface JQueryGenericPromise<T> { + /** + * Add handlers to be called when the Deferred object is resolved, rejected, or still in progress. + * + * @param doneFilter A function that is called when the Deferred is resolved. + * @param failFilter An optional function that is called when the Deferred is rejected. + * @see {@link https://api.jquery.com/deferred.then/#deferred-then-doneFilter-failFilter-progressFilter} + */ + then<U>( + doneFilter: (value?: T, ...values: any[]) => U | JQueryPromise<U>, + failFilter?: (...reasons: any[]) => any, + progressFilter?: (...progression: any[]) => any + ): JQueryPromise<U> + + /** + * Add handlers to be called when the Deferred object is resolved, rejected, or still in progress. + * + * @param doneFilter A function that is called when the Deferred is resolved. + * @param failFilter An optional function that is called when the Deferred is rejected. + * @see {@link https://api.jquery.com/deferred.then/#deferred-then-doneFilter-failFilter-progressFilter} + */ + then( + doneFilter: (value?: T, ...values: any[]) => void, + failFilter?: (...reasons: any[]) => any, + progressFilter?: (...progression: any[]) => any + ): JQueryPromise<void> + } + + /** + * Interface for the JQuery promise/deferred callbacks + */ + interface JQueryPromiseCallback<T> { + (value?: T, ...args: any[]): void + } + + interface JQueryPromiseOperator<T, U> { + ( + callback1: JQueryPromiseCallback<T> | Array<JQueryPromiseCallback<T>>, + ...callbacksN: Array<JQueryPromiseCallback<any> | Array<JQueryPromiseCallback<any>>> + ): JQueryPromise<U> + } + + /** + * Interface for the JQuery promise, part of callbacks + * @see {@link https://api.jquery.com/category/deferred-object/} + */ + interface JQueryPromise<T> extends JQueryGenericPromise<T> { + /** + * Determine the current state of a Deferred object. + * @see {@link https://api.jquery.com/deferred.state/} + */ + state(): string + /** + * Add handlers to be called when the Deferred object is either resolved or rejected. + * + * @param alwaysCallback1 A function, or array of functions, that is called when the Deferred is resolved or rejected. + * @param alwaysCallbackN Optional additional functions, or arrays of functions, that are called when the Deferred is resolved or rejected. + * @see {@link https://api.jquery.com/deferred.always/} + */ + always( + alwaysCallback1?: JQueryPromiseCallback<any> | Array<JQueryPromiseCallback<any>>, + ...alwaysCallbackN: Array<JQueryPromiseCallback<any> | Array<JQueryPromiseCallback<any>>> + ): JQueryPromise<T> + /** + * Add handlers to be called when the Deferred object is resolved. + * + * @param doneCallback1 A function, or array of functions, that are called when the Deferred is resolved. + * @param doneCallbackN Optional additional functions, or arrays of functions, that are called when the Deferred is resolved. + * @see {@link https://api.jquery.com/deferred.done/} + */ + done( + doneCallback1?: JQueryPromiseCallback<T> | Array<JQueryPromiseCallback<T>>, + ...doneCallbackN: Array<JQueryPromiseCallback<T> | Array<JQueryPromiseCallback<T>>> + ): JQueryPromise<T> + /** + * Add handlers to be called when the Deferred object is rejected. + * + * @param failCallback1 A function, or array of functions, that are called when the Deferred is rejected. + * @param failCallbackN Optional additional functions, or arrays of functions, that are called when the Deferred is rejected. + * @see {@link https://api.jquery.com/deferred.fail/} + */ + fail( + failCallback1?: JQueryPromiseCallback<any> | Array<JQueryPromiseCallback<any>>, + ...failCallbackN: Array<JQueryPromiseCallback<any> | Array<JQueryPromiseCallback<any>>> + ): JQueryPromise<T> + /** + * Add handlers to be called when the Deferred object generates progress notifications. + * + * @param progressCallback1 A function, or array of functions, to be called when the Deferred generates progress notifications. + * @param progressCallbackN Optional additional functions, or arrays of functions, to be called when the Deferred generates progress notifications. + * @see {@link https://api.jquery.com/deferred.progress/} + */ + progress( + progressCallback1?: JQueryPromiseCallback<any> | Array<JQueryPromiseCallback<any>>, + ...progressCallbackN: Array<JQueryPromiseCallback<any> | Array<JQueryPromiseCallback<any>>> + ): JQueryPromise<T> + + // Deprecated - given no typings + pipe(doneFilter?: (x: any) => any, failFilter?: (x: any) => any, progressFilter?: (x: any) => any): JQueryPromise<any> + + /** + * Return a Deferred's Promise object. + * + * @param target Object onto which the promise methods have to be attached + * @see {@link https://api.jquery.com/deferred.promise/} + */ + promise(target?: any): JQueryPromise<T> + } + + /** + * Interface for the JQuery deferred, part of callbacks + * @see {@link https://api.jquery.com/category/deferred-object/} + */ + interface JQueryDeferred<T> extends JQueryGenericPromise<T> { + /** + * Determine the current state of a Deferred object. + * @see {@link https://api.jquery.com/deferred.state/} + */ + state(): string + /** + * Add handlers to be called when the Deferred object is either resolved or rejected. + * + * @param alwaysCallback1 A function, or array of functions, that is called when the Deferred is resolved or rejected. + * @param alwaysCallbackN Optional additional functions, or arrays of functions, that are called when the Deferred is resolved or rejected. + * @see {@link https://api.jquery.com/deferred.always/} + */ + always( + alwaysCallback1?: JQueryPromiseCallback<any> | Array<JQueryPromiseCallback<any>>, + ...alwaysCallbackN: Array<JQueryPromiseCallback<any> | Array<JQueryPromiseCallback<any>>> + ): JQueryDeferred<T> + /** + * Add handlers to be called when the Deferred object is resolved. + * + * @param doneCallback1 A function, or array of functions, that are called when the Deferred is resolved. + * @param doneCallbackN Optional additional functions, or arrays of functions, that are called when the Deferred is resolved. + * @see {@link https://api.jquery.com/deferred.done/} + */ + done( + doneCallback1?: JQueryPromiseCallback<T> | Array<JQueryPromiseCallback<T>>, + ...doneCallbackN: Array<JQueryPromiseCallback<T> | Array<JQueryPromiseCallback<T>>> + ): JQueryDeferred<T> + /** + * Add handlers to be called when the Deferred object is rejected. + * + * @param failCallback1 A function, or array of functions, that are called when the Deferred is rejected. + * @param failCallbackN Optional additional functions, or arrays of functions, that are called when the Deferred is rejected. + * @see {@link https://api.jquery.com/deferred.fail/} + */ + fail( + failCallback1?: JQueryPromiseCallback<any> | Array<JQueryPromiseCallback<any>>, + ...failCallbackN: Array<JQueryPromiseCallback<any> | Array<JQueryPromiseCallback<any>>> + ): JQueryDeferred<T> + /** + * Add handlers to be called when the Deferred object generates progress notifications. + * + * @param progressCallback1 A function, or array of functions, to be called when the Deferred generates progress notifications. + * @param progressCallbackN Optional additional functions, or arrays of functions, to be called when the Deferred generates progress notifications. + * @see {@link https://api.jquery.com/deferred.progress/} + */ + progress( + progressCallback1?: JQueryPromiseCallback<any> | Array<JQueryPromiseCallback<any>>, + ...progressCallbackN: Array<JQueryPromiseCallback<any> | Array<JQueryPromiseCallback<any>>> + ): JQueryDeferred<T> + + /** + * Call the progressCallbacks on a Deferred object with the given args. + * + * @param args Optional arguments that are passed to the progressCallbacks. + * @see {@link https://api.jquery.com/deferred.notify/} + */ + notify(value?: any, ...args: any[]): JQueryDeferred<T> + + /** + * Call the progressCallbacks on a Deferred object with the given context and args. + * + * @param context Context passed to the progressCallbacks as the this object. + * @param args Optional arguments that are passed to the progressCallbacks. + * @see {@link https://api.jquery.com/deferred.notifyWith/} + */ + notifyWith(context: any, args?: any[]): JQueryDeferred<T> + + /** + * Reject a Deferred object and call any failCallbacks with the given args. + * + * @param args Optional arguments that are passed to the failCallbacks. + * @see {@link https://api.jquery.com/deferred.reject/} + */ + reject(value?: any, ...args: any[]): JQueryDeferred<T> + /** + * Reject a Deferred object and call any failCallbacks with the given context and args. + * + * @param context Context passed to the failCallbacks as the this object. + * @param args An optional array of arguments that are passed to the failCallbacks. + * @see {@link https://api.jquery.com/deferred.rejectWith/} + */ + rejectWith(context: any, args?: any[]): JQueryDeferred<T> + + /** + * Resolve a Deferred object and call any doneCallbacks with the given args. + * + * @param value First argument passed to doneCallbacks. + * @param args Optional subsequent arguments that are passed to the doneCallbacks. + * @see {@link https://api.jquery.com/deferred.resolve/} + */ + resolve(value?: T, ...args: any[]): JQueryDeferred<T> + + /** + * Resolve a Deferred object and call any doneCallbacks with the given context and args. + * + * @param context Context passed to the doneCallbacks as the this object. + * @param args An optional array of arguments that are passed to the doneCallbacks. + * @see {@link https://api.jquery.com/deferred.resolveWith/} + */ + resolveWith(context: any, args?: T[]): JQueryDeferred<T> + + /** + * Return a Deferred's Promise object. + * + * @param target Object onto which the promise methods have to be attached + * @see {@link https://api.jquery.com/deferred.promise/} + */ + promise(target?: any): JQueryPromise<T> + + // Deprecated - given no typings + pipe(doneFilter?: (x: any) => any, failFilter?: (x: any) => any, progressFilter?: (x: any) => any): JQueryPromise<any> + } + + /** + * Interface of the JQuery extension of the W3C event object + * @see {@link https://api.jquery.com/category/events/event-object/} + */ + interface BaseJQueryEventObject extends Event { + /** + * The current DOM element within the event bubbling phase. + * @see {@link https://api.jquery.com/event.currentTarget/} + */ + currentTarget: Element + /** + * An optional object of data passed to an event method when the current executing handler is bound. + * @see {@link https://api.jquery.com/event.data/} + */ + data: any + /** + * The element where the currently-called jQuery event handler was attached. + * @see {@link https://api.jquery.com/event.delegateTarget/} + */ + delegateTarget: Element + /** + * Returns whether event.preventDefault() was ever called on this event object. + * @see {@link https://api.jquery.com/event.isDefaultPrevented/} + */ + isDefaultPrevented(): boolean + /** + * Returns whether event.stopImmediatePropagation() was ever called on this event object. + * @see {@link https://api.jquery.com/event.isImmediatePropagationStopped/} + */ + isImmediatePropagationStopped(): boolean + /** + * Returns whether event.stopPropagation() was ever called on this event object. + * @see {@link https://api.jquery.com/event.isPropagationStopped/} + */ + isPropagationStopped(): boolean + /** + * The namespace specified when the event was triggered. + * @see {@link https://api.jquery.com/event.namespace/} + */ + namespace: string + /** + * The browser's original Event object. + * @see {@link https://api.jquery.com/category/events/event-object/} + */ + originalEvent: Event + /** + * If this method is called, the default action of the event will not be triggered. + * @see {@link https://api.jquery.com/event.preventDefault/} + */ + preventDefault(): any + /** + * The other DOM element involved in the event, if any. + * @see {@link https://api.jquery.com/event.relatedTarget/} + */ + relatedTarget: Element + /** + * The last value returned by an event handler that was triggered by this event, unless the value was undefined. + * @see {@link https://api.jquery.com/event.result/} + */ + result: any + /** + * Keeps the rest of the handlers from being executed and prevents the event from bubbling up the DOM tree. + * @see {@link https://api.jquery.com/event.stopImmediatePropagation/} + */ + stopImmediatePropagation(): void + /** + * Prevents the event from bubbling up the DOM tree, preventing any parent handlers from being notified of the event. + * @see {@link https://api.jquery.com/event.stopPropagation/} + */ + stopPropagation(): void + /** + * The DOM element that initiated the event. + * @see {@link https://api.jquery.com/event.target/} + */ + target: Element + /** + * The mouse position relative to the left edge of the document. + * @see {@link https://api.jquery.com/event.pageX/} + */ + pageX: number + /** + * The mouse position relative to the top edge of the document. + * @see {@link https://api.jquery.com/event.pageY/} + */ + pageY: number + /** + * For key or mouse events, this property indicates the specific key or button that was pressed. + * @deprecated Use `key` for KeyEvents or `button` for MouseEvents instead. + * @see {@link https://api.jquery.com/event.which/} + */ + which: number + /** + * Indicates whether the META key was pressed when the event fired. + * @see {@link https://api.jquery.com/event.metaKey/} + */ + metaKey: boolean + } + + interface JQueryInputEventObject extends BaseJQueryEventObject { + altKey: boolean + ctrlKey: boolean + metaKey: boolean + shiftKey: boolean + } + + interface JQueryMouseEventObject extends JQueryInputEventObject { + button: number + clientX: number + clientY: number + offsetX: number + offsetY: number + pageX: number + pageY: number + screenX: number + screenY: number + } + + interface JQueryKeyEventObject extends JQueryInputEventObject { + /** @deprecated */ + char: string + /** @deprecated */ + charCode: number + key: string + /** @deprecated */ + keyCode: number + } + + interface JQueryEventObject extends BaseJQueryEventObject, JQueryInputEventObject, JQueryMouseEventObject, JQueryKeyEventObject {} + + /** + * A collection of properties that represent the presence of different browser features or bugs. + * + * Intended for jQuery's internal use; specific properties may be removed when they are no longer needed internally + * to improve page startup performance. For your own project's feature-detection needs, we strongly recommend the + * use of an external library such as {@link http://modernizr.com/|Modernizr} instead of dependency on properties + * in jQuery.support. + * + * @deprecated since version 1.9 + */ + interface JQuerySupport { + ajax?: boolean | undefined + boxModel?: boolean | undefined + changeBubbles?: boolean | undefined + checkClone?: boolean | undefined + checkOn?: boolean | undefined + cors?: boolean | undefined + cssFloat?: boolean | undefined + hrefNormalized?: boolean | undefined + htmlSerialize?: boolean | undefined + leadingWhitespace?: boolean | undefined + noCloneChecked?: boolean | undefined + noCloneEvent?: boolean | undefined + opacity?: boolean | undefined + optDisabled?: boolean | undefined + optSelected?: boolean | undefined + scriptEval?(): boolean + style?: boolean | undefined + submitBubbles?: boolean | undefined + tbody?: boolean | undefined + } + + interface JQueryParam { + /** + * Create a serialized representation of an array or object, suitable for use in a URL query string or Ajax request. + * + * @param obj An array or object to serialize. + */ + (obj: any): string + + /** + * Create a serialized representation of an array or object, suitable for use in a URL query string or Ajax request. + * + * @param obj An array or object to serialize. + * @param traditional A Boolean indicating whether to perform a traditional "shallow" serialization. + */ + (obj: any, traditional: boolean): string + } + + /** + * The interface used to construct jQuery events (with $.Event). It is + * defined separately instead of inline in JQueryStatic to allow + * overriding the construction function with specific strings + * returning specific event objects. + */ + interface JQueryEventConstructor { + (name: string, eventProperties?: any): JQueryEventObject + new (name: string, eventProperties?: any): JQueryEventObject + } + + /** + * The interface used to specify coordinates. + */ + interface JQueryCoordinates { + left: number + top: number + } + + /** + * The interface used to specify the properties parameter in css() + */ + interface cssPropertySetter { + (index: number, value?: string): string | number + } + interface JQueryCssProperties { + [propertyName: string]: string | number | cssPropertySetter + } + + /** + * Elements in the array returned by serializeArray() + */ + interface JQuerySerializeArrayElement { + name: string + value: string + } + + /** + * @see {@link https://api.jquery.com/animate/} + */ + interface JQueryAnimationOptions { + /** + * A string or number determining how long the animation will run. + */ + duration?: any + /** + * A string indicating which easing function to use for the transition. + */ + easing?: string | undefined + /** + * A function to call once the animation is complete. + */ + complete?: Function | undefined + /** + * A function to be called for each animated property of each animated element. This function provides an opportunity to modify the Tween object to change the value of the property before it is set. + */ + step?: ((now: number, tween: any) => any) | undefined + /** + * A function to be called after each step of the animation, only once per animated element regardless of the number of animated properties. (version added: 1.8) + */ + progress?: ((animation: JQueryPromise<any>, progress: number, remainingMs: number) => any) | undefined + /** + * A function to call when the animation begins. (version added: 1.8) + */ + start?: ((animation: JQueryPromise<any>) => any) | undefined + /** + * A function to be called when the animation completes (its Promise object is resolved). (version added: 1.8) + */ + done?: ((animation: JQueryPromise<any>, jumpedToEnd: boolean) => any) | undefined + /** + * A function to be called when the animation fails to complete (its Promise object is rejected). (version added: 1.8) + */ + fail?: ((animation: JQueryPromise<any>, jumpedToEnd: boolean) => any) | undefined + /** + * A function to be called when the animation completes or stops without completing (its Promise object is either resolved or rejected). (version added: 1.8) + */ + always?: ((animation: JQueryPromise<any>, jumpedToEnd: boolean) => any) | undefined + /** + * A Boolean indicating whether to place the animation in the effects queue. If false, the animation will begin immediately. As of jQuery 1.7, the queue option can also accept a string, in which case the animation is added to the queue represented by that string. When a custom queue name is used the animation does not automatically start; you must call .dequeue("queuename") to start it. + */ + queue?: any + /** + * A map of one or more of the CSS properties defined by the properties argument and their corresponding easing functions. (version added: 1.4) + */ + specialEasing?: Object | undefined + } + + interface JQueryEasingFunction { + (percent: number): number + } + + interface JQueryEasingFunctions { + [name: string]: JQueryEasingFunction + linear: JQueryEasingFunction + swing: JQueryEasingFunction + } + + /** + * Static members of jQuery (those on $ and jQuery themselves) + * + * @see {@link https://api.jquery.com/Types/#jQuery} + */ + interface JQueryStatic { + /** + * Perform an asynchronous HTTP (Ajax) request. + * + * @param settings A set of key/value pairs that configure the Ajax request. All settings are optional. A default can be set for any option with $.ajaxSetup(). + * @see {@link https://api.jquery.com/jQuery.ajax/#jQuery-ajax-settings} + */ + ajax(settings: JQueryAjaxSettings): JQueryXHR + /** + * Perform an asynchronous HTTP (Ajax) request. + * + * @param url A string containing the URL to which the request is sent. + * @param settings A set of key/value pairs that configure the Ajax request. All settings are optional. A default can be set for any option with $.ajaxSetup(). + * @see {@link https://api.jquery.com/jQuery.ajax/#jQuery-ajax-url-settings} + */ + ajax(url: string, settings?: JQueryAjaxSettings): JQueryXHR + + /** + * Handle custom Ajax options or modify existing options before each request is sent and before they are processed by $.ajax(). + * + * @param dataTypes An optional string containing one or more space-separated dataTypes + * @param handler A handler to set default values for future Ajax requests. + * @see {@link https://api.jquery.com/jQuery.ajaxPrefilter/} + */ + ajaxPrefilter(dataTypes: string, handler: (opts: any, originalOpts: JQueryAjaxSettings, jqXHR: JQueryXHR) => any): void + /** + * Handle custom Ajax options or modify existing options before each request is sent and before they are processed by $.ajax(). + * + * @param handler A handler to set default values for future Ajax requests. + * @see {@link https://api.jquery.com/jQuery.ajaxPrefilter/} + */ + ajaxPrefilter(handler: (opts: any, originalOpts: JQueryAjaxSettings, jqXHR: JQueryXHR) => any): void + + /** + * Creates an object that handles the actual transmission of Ajax data. + * + * @param dataType A string identifying the data type to use. + * @param handler A handler to return the new transport object to use with the data type provided in the first argument. + * @see {@link https://api.jquery.com/jQuery.ajaxTransport/} + */ + ajaxTransport(dataType: string, handler: (opts: any, originalOpts: JQueryAjaxSettings, jqXHR: JQueryXHR) => any): void + + ajaxSettings: JQueryAjaxSettings + + /** + * Set default values for future Ajax requests. Its use is not recommended. + * + * @param options A set of key/value pairs that configure the default Ajax request. All options are optional. + * @see {@link https://api.jquery.com/jQuery.ajaxSetup/} + */ + ajaxSetup(options: JQueryAjaxSettings): void + + /** + * Load data from the server using a HTTP GET request. + * + * @param url A string containing the URL to which the request is sent. + * @param success A callback function that is executed if the request succeeds. + * @param dataType The type of data expected from the server. Default: Intelligent Guess (xml, json, script, or html). + * @see {@link https://api.jquery.com/jQuery.get/#jQuery-get-url-data-success-dataType} + */ + get(url: string, success?: (data: any, textStatus: string, jqXHR: JQueryXHR) => any, dataType?: string): JQueryXHR + /** + * Load data from the server using a HTTP GET request. + * + * @param url A string containing the URL to which the request is sent. + * @param data A plain object or string that is sent to the server with the request. + * @param success A callback function that is executed if the request succeeds. + * @param dataType The type of data expected from the server. Default: Intelligent Guess (xml, json, script, or html). + * @see {@link https://api.jquery.com/jQuery.get/#jQuery-get-url-data-success-dataType} + */ + get(url: string, data?: Object | string, success?: (data: any, textStatus: string, jqXHR: JQueryXHR) => any, dataType?: string): JQueryXHR + /** + * Load data from the server using a HTTP GET request. + * + * @param settings The JQueryAjaxSettings to be used for the request + * @see {@link https://api.jquery.com/jQuery.get/#jQuery-get-settings} + */ + get(settings: JQueryAjaxSettings): JQueryXHR + /** + * Load JSON-encoded data from the server using a GET HTTP request. + * + * @param url A string containing the URL to which the request is sent. + * @param success A callback function that is executed if the request succeeds. + * @see {@link https://api.jquery.com/jQuery.getJSON/} + */ + getJSON(url: string, success?: (data: any, textStatus: string, jqXHR: JQueryXHR) => any): JQueryXHR + /** + * Load JSON-encoded data from the server using a GET HTTP request. + * + * @param url A string containing the URL to which the request is sent. + * @param data A plain object or string that is sent to the server with the request. + * @param success A callback function that is executed if the request succeeds. + * @see {@link https://api.jquery.com/jQuery.getJSON/} + */ + getJSON(url: string, data?: Object | string, success?: (data: any, textStatus: string, jqXHR: JQueryXHR) => any): JQueryXHR + /** + * Load a JavaScript file from the server using a GET HTTP request, then execute it. + * + * @param url A string containing the URL to which the request is sent. + * @param success A callback function that is executed if the request succeeds. + * @see {@link https://api.jquery.com/jQuery.getScript/} + */ + getScript(url: string, success?: (script: string, textStatus: string, jqXHR: JQueryXHR) => any): JQueryXHR + + /** + * Create a serialized representation of an array or object, suitable for use in a URL query string or Ajax request. + * + * @see {@link https://api.jquery.com/jQuery.param/} + */ + param: JQueryParam + + /** + * Load data from the server using a HTTP POST request. + * + * @param url A string containing the URL to which the request is sent. + * @param success A callback function that is executed if the request succeeds. Required if dataType is provided, but can be null in that case. + * @param dataType The type of data expected from the server. Default: Intelligent Guess (xml, json, script, text, html). + * @see {@link https://api.jquery.com/jQuery.post/#jQuery-post-url-data-success-dataType} + */ + post(url: string, success?: (data: any, textStatus: string, jqXHR: JQueryXHR) => any, dataType?: string): JQueryXHR + /** + * Load data from the server using a HTTP POST request. + * + * @param url A string containing the URL to which the request is sent. + * @param data A plain object or string that is sent to the server with the request. + * @param success A callback function that is executed if the request succeeds. Required if dataType is provided, but can be null in that case. + * @param dataType The type of data expected from the server. Default: Intelligent Guess (xml, json, script, text, html). + * @see {@link https://api.jquery.com/jQuery.post/#jQuery-post-url-data-success-dataType} + */ + post(url: string, data?: Object | string, success?: (data: any, textStatus: string, jqXHR: JQueryXHR) => any, dataType?: string): JQueryXHR + /** + * Load data from the server using a HTTP POST request. + * + * @param settings The JQueryAjaxSettings to be used for the request + * @see {@link https://api.jquery.com/jQuery.post/#jQuery-post-settings} + */ + post(settings: JQueryAjaxSettings): JQueryXHR + /** + * A multi-purpose callbacks list object that provides a powerful way to manage callback lists. + * + * @param flags An optional list of space-separated flags that change how the callback list behaves. + * @see {@link https://api.jquery.com/jQuery.Callbacks/} + */ + Callbacks(flags?: string): JQueryCallback + + /** + * Holds or releases the execution of jQuery's ready event. + * + * @param hold Indicates whether the ready hold is being requested or released + * @see {@link https://api.jquery.com/jQuery.holdReady/} + */ + holdReady(hold: boolean): void + + /** + * Accepts a string containing a CSS selector which is then used to match a set of elements. + * + * @param selector A string containing a selector expression + * @param context A DOM Element, Document, or jQuery to use as context + * @see {@link https://api.jquery.com/jQuery/#jQuery-selector-context} + */ + (selector: string, context?: Element | JQuery): JQuery + + /** + * Accepts a string containing a CSS selector which is then used to match a set of elements. + * + * @param element A DOM element to wrap in a jQuery object. + * @see {@link https://api.jquery.com/jQuery/#jQuery-element} + */ + (element: Element): JQuery + + /** + * Accepts a string containing a CSS selector which is then used to match a set of elements. + * + * @param elementArray An array containing a set of DOM elements to wrap in a jQuery object. + * @see {@link https://api.jquery.com/jQuery/#jQuery-elementArray} + */ + (elementArray: Element[]): JQuery + + /** + * Binds a function to be executed when the DOM has finished loading. + * + * @param callback A function to execute after the DOM is ready. + * @see {@link https://api.jquery.com/jQuery/#jQuery-callback} + */ + (callback: (jQueryAlias?: JQueryStatic) => any): JQuery + + /** + * Accepts a string containing a CSS selector which is then used to match a set of elements. + * + * @param object A plain object to wrap in a jQuery object. + * @see {@link https://api.jquery.com/jQuery/#jQuery-object} + */ + (object: {}): JQuery + + /** + * Accepts a string containing a CSS selector which is then used to match a set of elements. + * + * @param object An existing jQuery object to clone. + * @see {@link https://api.jquery.com/jQuery/#jQuery-object} + */ + (object: JQuery): JQuery + + /** + * Specify a function to execute when the DOM is fully loaded. + * @see {@link https://api.jquery.com/jQuery/#jQuery} + */ + (): JQuery + + /** + * Creates DOM elements on the fly from the provided string of raw HTML. + * + * @param html A string of HTML to create on the fly. Note that this parses HTML, not XML. + * @param ownerDocument A document in which the new elements will be created. + * @see {@link https://api.jquery.com/jQuery/#jQuery-html-ownerDocument} + */ + (html: string, ownerDocument?: Document): JQuery + + /** + * Creates DOM elements on the fly from the provided string of raw HTML. + * + * @param html A string defining a single, standalone, HTML element (e.g. <div/> or <div></div>). + * @param attributes An object of attributes, events, and methods to call on the newly-created element. + * @see {@link https://api.jquery.com/jQuery/#jQuery-html-attributes} + */ + (html: string, attributes: Object): JQuery + + /** + * Relinquish jQuery's control of the $ variable. + * + * @param removeAll A Boolean indicating whether to remove all jQuery variables from the global scope (including jQuery itself). + * @see {@link https://api.jquery.com/jQuery.noConflict/} + */ + noConflict(removeAll?: boolean): JQueryStatic + + /** + * Provides a way to execute callback functions based on one or more objects, usually Deferred objects that represent asynchronous events. + * + * @param deferreds One or more Deferred objects, or plain JavaScript objects. + * @see {@link https://api.jquery.com/jQuery.when/} + */ + when<T>(...deferreds: Array<T | JQueryPromise<T> /* as JQueryDeferred<T> */>): JQueryPromise<T> + + /** + * Hook directly into jQuery to override how particular CSS properties are retrieved or set, normalize CSS property naming, or create custom properties. + * @see {@link https://api.jquery.com/jQuery.cssHooks/} + */ + cssHooks: { [key: string]: any } + + /** + * An object containing all CSS properties that may be used without a unit. The .css() method uses this object to see if it may append px to unitless values. + * @see {@link https://api.jquery.com/jQuery.cssNumber/} + */ + cssNumber: any + + /** + * Store arbitrary data associated with the specified element. Returns the value that was set. + * + * @param element The DOM element to associate with the data. + * @param key A string naming the piece of data to set. + * @param value The new data value. + * @see {@link https://api.jquery.com/jQuery.data/#jQuery-data-element-key-value} + */ + data<T>(element: Element, key: string, value: T): T + /** + * Returns value at named data store for the element, as set by jQuery.data(element, name, value), or the full data store for the element. + * + * @param element The DOM element to associate with the data. + * @param key A string naming the piece of data to set. + * @see {@link https://api.jquery.com/jQuery.data/#jQuery-data-element-key} + */ + data(element: Element, key: string): any + /** + * Returns value at named data store for the element, as set by jQuery.data(element, name, value), or the full data store for the element. + * + * @param element The DOM element to associate with the data. + * @see {@link https://api.jquery.com/jQuery.data/#jQuery-data-element} + */ + data(element: Element): any + + /** + * Execute the next function on the queue for the matched element. + * + * @param element A DOM element from which to remove and execute a queued function. + * @param queueName A string containing the name of the queue. Defaults to fx, the standard effects queue. + * @see {@link https://api.jquery.com/jQuery.dequeue/} + */ + dequeue(element: Element, queueName?: string): void + + /** + * Determine whether an element has any jQuery data associated with it. + * + * @param element A DOM element to be checked for data. + * @see {@link https://api.jquery.com/jQuery.hasData/} + */ + hasData(element: Element): boolean + + /** + * Show the queue of functions to be executed on the matched element. + * + * @param element A DOM element to inspect for an attached queue. + * @param queueName A string containing the name of the queue. Defaults to fx, the standard effects queue. + * @see {@link https://api.jquery.com/jQuery.queue/#jQuery-queue-element-queueName} + */ + queue(element: Element, queueName?: string): any[] + /** + * Manipulate the queue of functions to be executed on the matched element. + * + * @param element A DOM element where the array of queued functions is attached. + * @param queueName A string containing the name of the queue. Defaults to fx, the standard effects queue. + * @param newQueue An array of functions to replace the current queue contents. + * @see {@link https://api.jquery.com/jQuery.queue/#jQuery-queue-element-queueName-newQueue} + */ + queue(element: Element, queueName: string, newQueue: Function[]): JQuery + /** + * Manipulate the queue of functions to be executed on the matched element. + * + * @param element A DOM element on which to add a queued function. + * @param queueName A string containing the name of the queue. Defaults to fx, the standard effects queue. + * @param callback The new function to add to the queue. + * @see {@link https://api.jquery.com/jQuery.queue/#jQuery-queue-element-queueName-callback} + */ + queue(element: Element, queueName: string, callback: Function): JQuery + + /** + * Remove a previously-stored piece of data. + * + * @param element A DOM element from which to remove data. + * @param name A string naming the piece of data to remove. + * @see {@link https://api.jquery.com/jQuery.removeData/} + */ + removeData(element: Element, name?: string): JQuery + + /** + * A constructor function that returns a chainable utility object with methods to register multiple callbacks into callback queues, invoke callback queues, and relay the success or failure state of any synchronous or asynchronous function. + * + * @param beforeStart A function that is called just before the constructor returns. + * @see {@link https://api.jquery.com/jQuery.Deferred/} + */ + Deferred<T>(beforeStart?: (deferred: JQueryDeferred<T>) => any): JQueryDeferred<T> + + /** + * Effects + */ + + easing: JQueryEasingFunctions + + fx: { + tick: () => void + /** + * The rate (in milliseconds) at which animations fire. + * @see {@link https://api.jquery.com/jQuery.fx.interval/} + */ + interval: number + stop: () => void + speeds: { slow: number; fast: number } + /** + * Globally disable all animations. + * @see {@link https://api.jquery.com/jQuery.fx.off/} + */ + off: boolean + step: any + } + + /** + * Takes a function and returns a new one that will always have a particular context. + * + * @param func The function whose context will be changed. + * @param context The object to which the context (this) of the function should be set. + * @param additionalArguments Any number of arguments to be passed to the function referenced in the function argument. + * @see {@link https://api.jquery.com/jQuery.proxy/#jQuery-proxy-function-context-additionalArguments} + */ + proxy(func: (...args: any[]) => any, context: Object, ...additionalArguments: any[]): any + /** + * Takes a function and returns a new one that will always have a particular context. + * + * @param context The object to which the context (this) of the function should be set. + * @param name The name of the function whose context will be changed (should be a property of the context object). + * @param additionalArguments Any number of arguments to be passed to the function named in the name argument. + * @see {@link https://api.jquery.com/jQuery.proxy/#jQuery-proxy-context-name-additionalArguments} + */ + proxy(context: Object, name: string, ...additionalArguments: any[]): any + + Event: JQueryEventConstructor + + /** + * Takes a string and throws an exception containing it. + * + * @param message The message to send out. + * @see {@link https://api.jquery.com/jQuery.error/} + */ + error(message: any): JQuery + + expr: any + readonly fn: JQuery + + isReady: boolean + + // Properties + support: JQuerySupport + + /** + * Check to see if a DOM element is a descendant of another DOM element. + * + * @param container The DOM element that may contain the other element. + * @param contained The DOM element that may be contained by (a descendant of) the other element. + * @see {@link https://api.jquery.com/jQuery.contains/} + */ + contains(container: Element, contained: Element): boolean + + /** + * A generic iterator function, which can be used to seamlessly iterate over both objects and arrays. Arrays and array-like objects with a length property (such as a function's arguments object) are iterated by numeric index, from 0 to length-1. Other objects are iterated via their named properties. + * + * @param collection The object or array to iterate over. + * @param callback The function that will be executed on every object. Will break the loop by returning false. + * @returns the first argument, the object that is iterated. + * @see {@link https://api.jquery.com/jQuery.each/#jQuery-each-array-callback} + */ + each<T>( + collection: T[], + // eslint-disable-next-line @typescript-eslint/no-invalid-void-type + callback: (indexInArray: number, valueOfElement: T) => boolean | void + ): T[] + + /** + * A generic iterator function, which can be used to seamlessly iterate over both objects and arrays. Arrays and array-like objects with a length property (such as a function's arguments object) are iterated by numeric index, from 0 to length-1. Other objects are iterated via their named properties. + * + * @param collection The object or array to iterate over. + * @param callback The function that will be executed on every object. Will break the loop by returning false. + * @returns the first argument, the object that is iterated. + * @see {@link https://api.jquery.com/jQuery.each/#jQuery-each-object-callback} + */ + each<T extends Object>( + collection: T, + // TODO: `(keyInObject: keyof T, valueOfElement: T[keyof T])`, when TypeScript 2.1 allowed in repository + // eslint-disable-next-line @typescript-eslint/no-invalid-void-type + callback: (keyInObject: string, valueOfElement: any) => boolean | void + ): T + + /** + * Merge the contents of two or more objects together into the first object. + * + * @param target An object that will receive the new properties if additional objects are passed in or that will extend the jQuery namespace if it is the sole argument. + * @param object1 An object containing additional properties to merge in. + * @param objectN Additional objects containing properties to merge in. + * @see {@link https://api.jquery.com/jQuery.extend/#jQuery-extend-target-object1-objectN} + */ + extend(target: any, object1?: any, ...objectN: any[]): any + /** + * Merge the contents of two or more objects together into the first object. + * + * @param deep If true, the merge becomes recursive (aka. deep copy). + * @param target The object to extend. It will receive the new properties. + * @param object1 An object containing additional properties to merge in. + * @param objectN Additional objects containing properties to merge in. + * @see {@link https://api.jquery.com/jQuery.extend/#jQuery-extend-deep-target-object1-objectN} + */ + extend(deep: boolean, target: any, object1?: any, ...objectN: any[]): any + + /** + * Execute some JavaScript code globally. + * + * @param code The JavaScript code to execute. + * @see {@link https://api.jquery.com/jQuery.globalEval/} + */ + globalEval(code: string): any + + /** + * Finds the elements of an array which satisfy a filter function. The original array is not affected. + * + * @param array The array to search through. + * @param func The function to process each item against. The first argument to the function is the item, and the second argument is the index. The function should return a Boolean value. this will be the global window object. + * @param invert If "invert" is false, or not provided, then the function returns an array consisting of all elements for which "callback" returns true. If "invert" is true, then the function returns an array consisting of all elements for which "callback" returns false. + * @see {@link https://api.jquery.com/jQuery.grep/} + */ + grep<T>(array: T[], func: (elementOfArray?: T, indexInArray?: number) => boolean, invert?: boolean): T[] + + /** + * Search for a specified value within an array and return its index (or -1 if not found). + * + * @param value The value to search for. + * @param array An array through which to search. + * @param fromIndex The index of the array at which to begin the search. The default is 0, which will search the whole array. + * @see {@link https://api.jquery.com/jQuery.inArray/} + */ + inArray<T>(value: T, array: T[], fromIndex?: number): number + + /** + * Determine whether the argument is an array. + * + * @param obj Object to test whether or not it is an array. + * @see {@link https://api.jquery.com/jQuery.isArray/} + */ + isArray(obj: any): obj is any[] + /** + * Check to see if an object is empty (contains no enumerable properties). + * + * @param obj The object that will be checked to see if it's empty. + * @see {@link https://api.jquery.com/jQuery.isEmptyObject/} + */ + isEmptyObject(obj: any): boolean + /** + * Determine if the argument passed is a JavaScript function object. + * + * @param obj Object to test whether or not it is a function. + * @see {@link https://api.jquery.com/jQuery.isFunction/} + */ + isFunction(obj: any): obj is Function + /** + * Determines whether its argument is a number. + * + * @param value The value to be tested. + * @see {@link https://api.jquery.com/jQuery.isNumeric/} + */ + isNumeric(value: any): boolean + /** + * Check to see if an object is a plain object (created using "{}" or "new Object"). + * + * @param obj The object that will be checked to see if it's a plain object. + * @see {@link https://api.jquery.com/jQuery.isPlainObject/} + */ + isPlainObject(obj: any): boolean + /** + * Determine whether the argument is a window. + * + * @param obj Object to test whether or not it is a window. + * @see {@link https://api.jquery.com/jQuery.isWindow/} + */ + isWindow(obj: any): obj is Window + /** + * Check to see if a DOM node is within an XML document (or is an XML document). + * + * @param node The DOM node that will be checked to see if it's in an XML document. + * @see {@link https://api.jquery.com/jQuery.isXMLDoc/} + */ + isXMLDoc(node: Node): boolean + + /** + * Convert an array-like object into a true JavaScript array. + * + * @param obj Any object to turn into a native Array. + * @see {@link https://api.jquery.com/jQuery.makeArray/} + */ + makeArray(obj: any): any[] + + /** + * Translate all items in an array or object to new array of items. + * + * @param array The Array to translate. + * @param callback The function to process each item against. The first argument to the function is the array item, the second argument is the index in array The function can return any value. Within the function, this refers to the global (window) object. + * @see {@link https://api.jquery.com/jQuery.map/#jQuery-map-array-callback} + */ + map<T, U>(array: T[], callback: (elementOfArray?: T, indexInArray?: number) => U): U[] + /** + * Translate all items in an array or object to new array of items. + * + * @param arrayOrObject The Array or Object to translate. + * @param callback The function to process each item against. The first argument to the function is the value; the second argument is the index or key of the array or object property. The function can return any value to add to the array. A returned array will be flattened into the resulting array. Within the function, this refers to the global (window) object. + * @see {@link https://api.jquery.com/jQuery.map/#jQuery-map-object-callback} + */ + map(arrayOrObject: any, callback: (value?: any, indexOrKey?: any) => any): any + + /** + * Merge the contents of two arrays together into the first array. + * + * @param first The first array to merge, the elements of second added. + * @param second The second array to merge into the first, unaltered. + * @see {@link https://api.jquery.com/jQuery.merge/} + */ + merge<T>(first: T[], second: T[]): T[] + + /** + * An empty function. + * @see {@link https://api.jquery.com/jQuery.noop/} + */ + noop(): any + + /** + * Return a number representing the current time. + * @see {@link https://api.jquery.com/jQuery.now/} + */ + now(): number + + /** + * Takes a well-formed JSON string and returns the resulting JavaScript object. + * + * @param json The JSON string to parse. + * @see {@link https://api.jquery.com/jQuery.parseJSON/} + */ + parseJSON(json: string): any + + /** + * Parses a string into an XML document. + * + * @param data a well-formed XML string to be parsed + * @see {@link https://api.jquery.com/jQuery.parseXML/} + */ + parseXML(data: string): XMLDocument + + /** + * Remove the whitespace from the beginning and end of a string. + * + * @param str Remove the whitespace from the beginning and end of a string. + * @see {@link https://api.jquery.com/jQuery.trim/} + */ + trim(str: string): string + + /** + * Determine the internal JavaScript [[Class]] of an object. + * + * @param obj Object to get the internal JavaScript [[Class]] of. + * @see {@link https://api.jquery.com/jQuery.type/} + */ + type( + obj: any + ): "array" | "boolean" | "date" | "error" | "function" | "null" | "number" | "object" | "regexp" | "string" | "symbol" | "undefined" + + /** + * Sorts an array of DOM elements, in place, with the duplicates removed. Note that this only works on arrays of DOM elements, not strings or numbers. + * + * @param array The Array of DOM elements. + * @see {@link https://api.jquery.com/jQuery.unique/} + */ + unique<T extends Element>(array: T[]): T[] + + /** + * Parses a string into an array of DOM nodes. + * + * @param data HTML string to be parsed + * @param context DOM element to serve as the context in which the HTML fragment will be created + * @param keepScripts A Boolean indicating whether to include scripts passed in the HTML string + * @see {@link https://api.jquery.com/jQuery.parseHTML/} + */ + parseHTML(data: string, context?: HTMLElement, keepScripts?: boolean): any[] + + /** + * Parses a string into an array of DOM nodes. + * + * @param data HTML string to be parsed + * @param context DOM element to serve as the context in which the HTML fragment will be created + * @param keepScripts A Boolean indicating whether to include scripts passed in the HTML string + * @see {@link https://api.jquery.com/jQuery.parseHTML/} + */ + parseHTML(data: string, context?: Document, keepScripts?: boolean): any[] + } + + /** + * The jQuery instance members + * + * @see {@link https://api.jquery.com/Types/#jQuery} + */ + interface JQuery { + /** + * Register a handler to be called when Ajax requests complete. This is an AjaxEvent. + * + * @param handler The function to be invoked. + * @see {@link https://api.jquery.com/ajaxComplete/} + */ + ajaxComplete(handler: (event: JQueryEventObject, XMLHttpRequest: XMLHttpRequest, ajaxOptions: any) => any): JQuery + /** + * Register a handler to be called when Ajax requests complete with an error. This is an Ajax Event. + * + * @param handler The function to be invoked. + * @see {@link https://api.jquery.com/ajaxError/} + */ + ajaxError(handler: (event: JQueryEventObject, jqXHR: JQueryXHR, ajaxSettings: JQueryAjaxSettings, thrownError: any) => any): JQuery + /** + * Attach a function to be executed before an Ajax request is sent. This is an Ajax Event. + * + * @param handler The function to be invoked. + * @see {@link https://api.jquery.com/ajaxSend/} + */ + ajaxSend(handler: (event: JQueryEventObject, jqXHR: JQueryXHR, ajaxOptions: JQueryAjaxSettings) => any): JQuery + /** + * Register a handler to be called when the first Ajax request begins. This is an Ajax Event. + * + * @param handler The function to be invoked. + * @see {@link https://api.jquery.com/ajaxStart/} + */ + ajaxStart(handler: () => any): JQuery + /** + * Register a handler to be called when all Ajax requests have completed. This is an Ajax Event. + * + * @param handler The function to be invoked. + * @see {@link https://api.jquery.com/ajaxStop/} + */ + ajaxStop(handler: () => any): JQuery + /** + * Attach a function to be executed whenever an Ajax request completes successfully. This is an Ajax Event. + * + * @param handler The function to be invoked. + * @see {@link https://api.jquery.com/ajaxSuccess/} + */ + ajaxSuccess(handler: (event: JQueryEventObject, XMLHttpRequest: XMLHttpRequest, ajaxOptions: JQueryAjaxSettings) => any): JQuery + + /** + * Load data from the server and place the returned HTML into the matched element. + * + * @param url A string containing the URL to which the request is sent. + * @param data A plain object or string that is sent to the server with the request. + * @param complete A callback function that is executed when the request completes. + * @see {@link https://api.jquery.com/load/} + */ + load( + url: string, + data?: string | Object, + complete?: (responseText: string, textStatus: string, XMLHttpRequest: XMLHttpRequest) => any + ): JQuery + + /** + * Encode a set of form elements as a string for submission. + * @see {@link https://api.jquery.com/serialize/} + */ + serialize(): string + /** + * Encode a set of form elements as an array of names and values. + * @see {@link https://api.jquery.com/serializeArray/} + */ + serializeArray(): JQuerySerializeArrayElement[] + + /** + * Adds the specified class(es) to each of the set of matched elements. + * + * @param className One or more space-separated classes to be added to the class attribute of each matched element. + * @see {@link https://api.jquery.com/addClass/#addClass-className} + */ + addClass(className: string): JQuery + /** + * Adds the specified class(es) to each of the set of matched elements. + * + * @param func A function returning one or more space-separated class names to be added to the existing class name(s). Receives the index position of the element in the set and the existing class name(s) as arguments. Within the function, this refers to the current element in the set. + * @see {@link https://api.jquery.com/addClass/#addClass-function} + */ + addClass(func: (index: number, className: string) => string): JQuery + + /** + * Add the previous set of elements on the stack to the current set, optionally filtered by a selector. + * @see {@link https://api.jquery.com/addBack/} + */ + addBack(selector?: string): JQuery + + /** + * Get the value of an attribute for the first element in the set of matched elements. + * + * @param attributeName The name of the attribute to get. + * @see {@link https://api.jquery.com/attr/#attr-attributeName} + */ + attr(attributeName: string): string + /** + * Set one or more attributes for the set of matched elements. + * + * @param attributeName The name of the attribute to set. + * @param value A value to set for the attribute. If this is `null`, the attribute will be deleted. + * @see {@link https://api.jquery.com/attr/#attr-attributeName-value} + */ + attr(attributeName: string, value: string | number | null): JQuery + /** + * Set one or more attributes for the set of matched elements. + * + * @param attributeName The name of the attribute to set. + * @param func A function returning the value to set. this is the current element. Receives the index position of the element in the set and the old attribute value as arguments. + * @see {@link https://api.jquery.com/attr/#attr-attributeName-function} + */ + attr(attributeName: string, func: (index: number, attr: string) => string | number): JQuery + /** + * Set one or more attributes for the set of matched elements. + * + * @param attributes An object of attribute-value pairs to set. + * @see {@link https://api.jquery.com/attr/#attr-attributes} + */ + attr(attributes: Object): JQuery + + /** + * Determine whether any of the matched elements are assigned the given class. + * + * @param className The class name to search for. + * @see {@link https://api.jquery.com/hasClass/} + */ + hasClass(className: string): boolean + + /** + * Get the HTML contents of the first element in the set of matched elements. + * @see {@link https://api.jquery.com/html/#html} + */ + html(): string + /** + * Set the HTML contents of each element in the set of matched elements. + * + * @param htmlString A string of HTML to set as the content of each matched element. + * @see {@link https://api.jquery.com/html/#html-htmlString} + */ + html(htmlString: string): JQuery + /** + * Set the HTML contents of each element in the set of matched elements. + * + * @param func A function returning the HTML content to set. Receives the index position of the element in the set and the old HTML value as arguments. jQuery empties the element before calling the function; use the oldhtml argument to reference the previous content. Within the function, this refers to the current element in the set. + * @see {@link https://api.jquery.com/html/#html-function} + */ + html(func: (index: number, oldhtml: string) => string): JQuery + + /** + * Get the value of a property for the first element in the set of matched elements. + * + * @param propertyName The name of the property to get. + * @see {@link https://api.jquery.com/prop/#prop-propertyName} + */ + prop(propertyName: string): any + /** + * Set one or more properties for the set of matched elements. + * + * @param propertyName The name of the property to set. + * @param value A value to set for the property. + * @see {@link https://api.jquery.com/prop/#prop-propertyName-value} + */ + prop(propertyName: string, value: string | number | boolean): JQuery + /** + * Set one or more properties for the set of matched elements. + * + * @param properties An object of property-value pairs to set. + * @see {@link https://api.jquery.com/prop/#prop-properties} + */ + prop(properties: Object): JQuery + /** + * Set one or more properties for the set of matched elements. + * + * @param propertyName The name of the property to set. + * @param func A function returning the value to set. Receives the index position of the element in the set and the old property value as arguments. Within the function, the keyword this refers to the current element. + * @see {@link https://api.jquery.com/prop/#prop-propertyName-function} + */ + prop(propertyName: string, func: (index: number, oldPropertyValue: any) => any): JQuery + + /** + * Remove an attribute from each element in the set of matched elements. + * + * @param attributeName An attribute to remove; as of version 1.7, it can be a space-separated list of attributes. + * @see {@link https://api.jquery.com/removeAttr/} + */ + removeAttr(attributeName: string): JQuery + + /** + * Remove a single class, multiple classes, or all classes from each element in the set of matched elements. + * + * @param className One or more space-separated classes to be removed from the class attribute of each matched element. + * @see {@link https://api.jquery.com/removeClass/#removeClass-className} + */ + removeClass(className?: string): JQuery + /** + * Remove a single class, multiple classes, or all classes from each element in the set of matched elements. + * + * @param func A function returning one or more space-separated class names to be removed. Receives the index position of the element in the set and the old class value as arguments. + * @see {@link https://api.jquery.com/removeClass/#removeClass-function} + */ + removeClass(func: (index: number, className: string) => string): JQuery + + /** + * Remove a property for the set of matched elements. + * + * @param propertyName The name of the property to remove. + * @see {@link https://api.jquery.com/removeProp/} + */ + removeProp(propertyName: string): JQuery + + /** + * Add or remove one or more classes from each element in the set of matched elements, depending on either the class's presence or the value of the switch argument. + * + * @param className One or more class names (separated by spaces) to be toggled for each element in the matched set. + * @param swtch A Boolean (not just truthy/falsy) value to determine whether the class should be added or removed. + * @see {@link https://api.jquery.com/toggleClass/#toggleClass-className} + */ + toggleClass(className: string, swtch?: boolean): JQuery + /** + * Add or remove one or more classes from each element in the set of matched elements, depending on either the class's presence or the value of the switch argument. + * + * @param swtch A boolean value to determine whether the class should be added or removed. + * @see {@link https://api.jquery.com/toggleClass/#toggleClass-state} + */ + toggleClass(swtch?: boolean): JQuery + /** + * Add or remove one or more classes from each element in the set of matched elements, depending on either the class's presence or the value of the switch argument. + * + * @param func A function that returns class names to be toggled in the class attribute of each element in the matched set. Receives the index position of the element in the set, the old class value, and the switch as arguments. + * @param swtch A boolean value to determine whether the class should be added or removed. + * @see {@link https://api.jquery.com/toggleClass/#toggleClass-function-state} + */ + toggleClass(func: (index: number, className: string, swtch: boolean) => string, swtch?: boolean): JQuery + + /** + * Get the current value of the first element in the set of matched elements. + * @see {@link https://api.jquery.com/val/#val} + */ + val(): any + /** + * Set the value of each element in the set of matched elements. + * + * @param value A string of text, an array of strings or number corresponding to the value of each matched element to set as selected/checked. + * @see {@link https://api.jquery.com/val/#val-value} + */ + val(value: string | string[] | number): JQuery + /** + * Set the value of each element in the set of matched elements. + * + * @param func A function returning the value to set. this is the current element. Receives the index position of the element in the set and the old value as arguments. + * @see {@link https://api.jquery.com/val/#val-function} + */ + val(func: (index: number, value: string) => string): JQuery + + /** + * Get the value of style properties for the first element in the set of matched elements. + * + * @param propertyName A CSS property. + * @see {@link https://api.jquery.com/css/#css-propertyName} + */ + css(propertyName: string): string + /** + * Get the value of style properties for the first element in the set of matched elements. + * Results in an object of property-value pairs. + * + * @param propertyNames An array of one or more CSS properties. + * @see {@link https://api.jquery.com/css/#css-propertyNames} + */ + css(propertyNames: string[]): any + /** + * Set one or more CSS properties for the set of matched elements. + * + * @param propertyName A CSS property name. + * @param value A value to set for the property. + * @see {@link https://api.jquery.com/css/#css-propertyName-value} + */ + css(propertyName: string, value: string | number): JQuery + /** + * Set one or more CSS properties for the set of matched elements. + * + * @param propertyName A CSS property name. + * @param value A function returning the value to set. this is the current element. Receives the index position of the element in the set and the old value as arguments. + * @see {@link https://api.jquery.com/css/#css-propertyName-function} + */ + css(propertyName: string, value: (index: number, value: string) => string | number): JQuery + /** + * Set one or more CSS properties for the set of matched elements. + * + * @param properties An object of property-value pairs to set. + * @see {@link https://api.jquery.com/css/#css-properties} + */ + css(properties: JQueryCssProperties): JQuery + + /** + * Get the current computed height for the first element in the set of matched elements. + * @see {@link https://api.jquery.com/height/#height} + */ + height(): number + /** + * Set the CSS height of every matched element. + * + * @param value An integer representing the number of pixels, or an integer with an optional unit of measure appended (as a string). + * @see {@link https://api.jquery.com/height/#height-value} + */ + height(value: number | string): JQuery + /** + * Set the CSS height of every matched element. + * + * @param func A function returning the height to set. Receives the index position of the element in the set and the old height as arguments. Within the function, this refers to the current element in the set. + * @see {@link https://api.jquery.com/height/#height-function} + */ + height(func: (index: number, height: number) => number | string): JQuery + + /** + * Get the current computed height for the first element in the set of matched elements, including padding but not border. + * @see {@link https://api.jquery.com/innerHeight/#innerHeight} + */ + innerHeight(): number + + /** + * Sets the inner height on elements in the set of matched elements, including padding but not border. + * + * @param value An integer representing the number of pixels, or an integer along with an optional unit of measure appended (as a string). + * @see {@link https://api.jquery.com/innerHeight/#innerHeight-value} + */ + innerHeight(value: number | string): JQuery + + /** + * Get the current computed width for the first element in the set of matched elements, including padding but not border. + * @see {@link https://api.jquery.com/innerWidth/#innerWidth} + */ + innerWidth(): number + + /** + * Sets the inner width on elements in the set of matched elements, including padding but not border. + * + * @param value An integer representing the number of pixels, or an integer along with an optional unit of measure appended (as a string). + * @see {@link https://api.jquery.com/innerWidth/#innerWidth-value} + */ + innerWidth(value: number | string): JQuery + + /** + * Get the current coordinates of the first element in the set of matched elements, relative to the document. + * @see {@link https://api.jquery.com/offset/#offset} + */ + offset(): JQueryCoordinates | undefined + /** + * An object containing the properties top and left, which are integers indicating the new top and left coordinates for the elements. + * + * @param coordinates An object containing the properties top and left, which are integers indicating the new top and left coordinates for the elements. + * @see {@link https://api.jquery.com/offset/#offset-coordinates} + */ + offset(coordinates: JQueryCoordinates): JQuery + /** + * An object containing the properties top and left, which are integers indicating the new top and left coordinates for the elements. + * + * @param func A function to return the coordinates to set. Receives the index of the element in the collection as the first argument and the current coordinates as the second argument. The function should return an object with the new top and left properties. + * @see {@link https://api.jquery.com/offset/#offset-function} + */ + offset(func: (index: number, coords: JQueryCoordinates) => JQueryCoordinates): JQuery + + /** + * Get the current computed height for the first element in the set of matched elements, including padding, border, and optionally margin. Returns an integer (without "px") representation of the value or null if called on an empty set of elements. + * + * @param includeMargin A Boolean indicating whether to include the element's margin in the calculation. + * @see {@link https://api.jquery.com/outerHeight/#outerHeight-includeMargin} + */ + outerHeight(includeMargin?: boolean): number + + /** + * Sets the outer height on elements in the set of matched elements, including padding and border. + * + * @param value An integer representing the number of pixels, or an integer along with an optional unit of measure appended (as a string). + * @see {@link https://api.jquery.com/outerHeight/#outerHeight-value} + */ + outerHeight(value: number | string): JQuery + + /** + * Get the current computed width for the first element in the set of matched elements, including padding and border. + * + * @param includeMargin A Boolean indicating whether to include the element's margin in the calculation. + * @see {@link https://api.jquery.com/outerWidth/#outerWidth-includeMargin} + */ + outerWidth(includeMargin?: boolean): number + + /** + * Sets the outer width on elements in the set of matched elements, including padding and border. + * + * @param value An integer representing the number of pixels, or an integer along with an optional unit of measure appended (as a string). + * @see {@link https://api.jquery.com/outerWidth/#outerWidth-value} + */ + outerWidth(value: number | string): JQuery + + /** + * Get the current coordinates of the first element in the set of matched elements, relative to the offset parent. + * @see {@link https://api.jquery.com/position/} + */ + position(): JQueryCoordinates + + /** + * Get the current horizontal position of the scroll bar for the first element in the set of matched elements or set the horizontal position of the scroll bar for every matched element. + * @see {@link https://api.jquery.com/scrollLeft/#scrollLeft} + */ + scrollLeft(): number + /** + * Set the current horizontal position of the scroll bar for each of the set of matched elements. + * + * @param value An integer indicating the new position to set the scroll bar to. + * @see {@link https://api.jquery.com/scrollLeft/#scrollLeft-value} + */ + scrollLeft(value: number): JQuery + + /** + * Get the current vertical position of the scroll bar for the first element in the set of matched elements or set the vertical position of the scroll bar for every matched element. + * @see {@link https://api.jquery.com/scrollTop/#scrollTop} + */ + scrollTop(): number + /** + * Set the current vertical position of the scroll bar for each of the set of matched elements. + * + * @param value An integer indicating the new position to set the scroll bar to. + * @see {@link https://api.jquery.com/scrollTop/#scrollTop-value} + */ + scrollTop(value: number): JQuery + + /** + * Get the current computed width for the first element in the set of matched elements. + * @see {@link https://api.jquery.com/width/#width} + */ + width(): number + /** + * Set the CSS width of each element in the set of matched elements. + * + * @param value An integer representing the number of pixels, or an integer along with an optional unit of measure appended (as a string). + * @see {@link https://api.jquery.com/width/#width-value} + */ + width(value: number | string): JQuery + /** + * Set the CSS width of each element in the set of matched elements. + * + * @param func A function returning the width to set. Receives the index position of the element in the set and the old width as arguments. Within the function, this refers to the current element in the set. + * @see {@link https://api.jquery.com/width/#width-function} + */ + width(func: (index: number, width: number) => number | string): JQuery + + /** + * Remove from the queue all items that have not yet been run. + * + * @param queueName A string containing the name of the queue. Defaults to fx, the standard effects queue. + * @see {@link https://api.jquery.com/clearQueue/} + */ + clearQueue(queueName?: string): JQuery + + /** + * Store arbitrary data associated with the matched elements. + * + * @param key A string naming the piece of data to set. + * @param value The new data value; it can be any JavaScript type including Array or Object. + * @see {@link https://api.jquery.com/data/#data-key-value} + */ + data(key: string, value: any): JQuery + /** + * Return the value at the named data store for the first element in the jQuery collection, as set by data(name, value) or by an HTML5 data-* attribute. + * + * @param key Name of the data stored. + * @see {@link https://api.jquery.com/data/#data-key} + */ + data(key: string): any + /** + * Store arbitrary data associated with the matched elements. + * + * @param obj An object of key-value pairs of data to update. + * @see {@link https://api.jquery.com/data/#data-obj} + */ + data(obj: { [key: string]: any }): JQuery + /** + * Return the value at the named data store for the first element in the jQuery collection, as set by data(name, value) or by an HTML5 data-* attribute. + * @see {@link https://api.jquery.com/data/#data} + */ + data(): any + + /** + * Execute the next function on the queue for the matched elements. + * + * @param queueName A string containing the name of the queue. Defaults to fx, the standard effects queue. + * @see {@link https://api.jquery.com/dequeue/} + */ + dequeue(queueName?: string): JQuery + + /** + * Remove a previously-stored piece of data. + * + * @param name A string naming the piece of data to delete or space-separated string naming the pieces of data to delete. + * @see {@link https://api.jquery.com/removeData/#removeData-name} + */ + removeData(name: string): JQuery + /** + * Remove a previously-stored piece of data. + * + * @param list An array of strings naming the pieces of data to delete. + * @see {@link https://api.jquery.com/removeData/#removeData-list} + */ + removeData(list: string[]): JQuery + /** + * Remove all previously-stored piece of data. + * @see {@link https://api.jquery.com/removeData/} + */ + removeData(): JQuery + + /** + * Return a Promise object to observe when all actions of a certain type bound to the collection, queued or not, have finished. + * + * @param type The type of queue that needs to be observed. (default: fx) + * @param target Object onto which the promise methods have to be attached + * @see {@link https://api.jquery.com/promise/} + */ + promise(type?: string, target?: Object): JQueryPromise<any> + + /** + * Perform a custom animation of a set of CSS properties. + * + * @param properties An object of CSS properties and values that the animation will move toward. + * @param duration A string or number determining how long the animation will run. + * @param complete A function to call once the animation is complete. + * @see {@link https://api.jquery.com/animate/#animate-properties-duration-easing-complete} + */ + animate(properties: Object, duration?: string | number, complete?: Function): JQuery + /** + * Perform a custom animation of a set of CSS properties. + * + * @param properties An object of CSS properties and values that the animation will move toward. + * @param duration A string or number determining how long the animation will run. + * @param easing A string indicating which easing function to use for the transition. (default: swing) + * @param complete A function to call once the animation is complete. + * @see {@link https://api.jquery.com/animate/#animate-properties-duration-easing-complete} + */ + animate(properties: Object, duration?: string | number, easing?: string, complete?: Function): JQuery + /** + * Perform a custom animation of a set of CSS properties. + * + * @param properties An object of CSS properties and values that the animation will move toward. + * @param options A map of additional options to pass to the method. + * @see {@link https://api.jquery.com/animate/#animate-properties-options} + */ + animate(properties: Object, options: JQueryAnimationOptions): JQuery + + /** + * Set a timer to delay execution of subsequent items in the queue. + * + * @param duration An integer indicating the number of milliseconds to delay execution of the next item in the queue. + * @param queueName A string containing the name of the queue. Defaults to fx, the standard effects queue. + * @see {@link https://api.jquery.com/delay/} + */ + delay(duration: number, queueName?: string): JQuery + + /** + * Display the matched elements by fading them to opaque. + * + * @param duration A string or number determining how long the animation will run. + * @param complete A function to call once the animation is complete. + * @see {@link https://api.jquery.com/fadeIn/#fadeIn-duration-complete} + */ + fadeIn(duration?: number | string, complete?: Function): JQuery + /** + * Display the matched elements by fading them to opaque. + * + * @param duration A string or number determining how long the animation will run. + * @param easing A string indicating which easing function to use for the transition. + * @param complete A function to call once the animation is complete. + * @see {@link https://api.jquery.com/fadeIn/#fadeIn-duration-easing-complete} + */ + fadeIn(duration?: number | string, easing?: string, complete?: Function): JQuery + /** + * Display the matched elements by fading them to opaque. + * + * @param options A map of additional options to pass to the method. + * @see {@link https://api.jquery.com/fadeIn/#fadeIn-options} + */ + fadeIn(options: JQueryAnimationOptions): JQuery + + /** + * Hide the matched elements by fading them to transparent. + * + * @param duration A string or number determining how long the animation will run. + * @param complete A function to call once the animation is complete. + * @see {@link https://api.jquery.com/fadeOut/#fadeOut-duration-complete} + */ + fadeOut(duration?: number | string, complete?: Function): JQuery + /** + * Hide the matched elements by fading them to transparent. + * + * @param duration A string or number determining how long the animation will run. + * @param easing A string indicating which easing function to use for the transition. + * @param complete A function to call once the animation is complete. + * @see {@link https://api.jquery.com/fadeOut/#fadeOut-duration-easing-complete} + */ + fadeOut(duration?: number | string, easing?: string, complete?: Function): JQuery + /** + * Hide the matched elements by fading them to transparent. + * + * @param options A map of additional options to pass to the method. + * @see {@link https://api.jquery.com/fadeOut/#fadeOut-options} + */ + fadeOut(options: JQueryAnimationOptions): JQuery + + /** + * Adjust the opacity of the matched elements. + * + * @param duration A string or number determining how long the animation will run. + * @param opacity A number between 0 and 1 denoting the target opacity. + * @param complete A function to call once the animation is complete. + * @see {@link https://api.jquery.com/fadeTo/#fadeTo-duration-opacity-complete} + */ + fadeTo(duration: string | number, opacity: number, complete?: Function): JQuery + /** + * Adjust the opacity of the matched elements. + * + * @param duration A string or number determining how long the animation will run. + * @param opacity A number between 0 and 1 denoting the target opacity. + * @param easing A string indicating which easing function to use for the transition. + * @param complete A function to call once the animation is complete. + * @see {@link https://api.jquery.com/fadeTo/#fadeTo-duration-opacity-easing-complete} + */ + fadeTo(duration: string | number, opacity: number, easing?: string, complete?: Function): JQuery + + /** + * Display or hide the matched elements by animating their opacity. + * + * @param duration A string or number determining how long the animation will run. + * @param complete A function to call once the animation is complete. + * @see {@link https://api.jquery.com/fadeToggle/#fadeToggle-duration-easing-complete} + */ + fadeToggle(duration?: number | string, complete?: Function): JQuery + /** + * Display or hide the matched elements by animating their opacity. + * + * @param duration A string or number determining how long the animation will run. + * @param easing A string indicating which easing function to use for the transition. + * @param complete A function to call once the animation is complete. + * @see {@link https://api.jquery.com/fadeToggle/#fadeToggle-duration-easing-complete} + */ + fadeToggle(duration?: number | string, easing?: string, complete?: Function): JQuery + /** + * Display or hide the matched elements by animating their opacity. + * + * @param options A map of additional options to pass to the method. + * @see {@link https://api.jquery.com/fadeToggle/#fadeToggle-options} + */ + fadeToggle(options: JQueryAnimationOptions): JQuery + + /** + * Stop the currently-running animation, remove all queued animations, and complete all animations for the matched elements. + * + * @param queue The name of the queue in which to stop animations. + * @see {@link https://api.jquery.com/finish/} + */ + finish(queue?: string): JQuery + + /** + * Hide the matched elements. + * + * @param duration A string or number determining how long the animation will run. + * @param complete A function to call once the animation is complete. + * @see {@link https://api.jquery.com/hide/#hide} + */ + hide(duration?: number | string, complete?: Function): JQuery + /** + * Hide the matched elements. + * + * @param duration A string or number determining how long the animation will run. + * @param easing A string indicating which easing function to use for the transition. + * @param complete A function to call once the animation is complete. + * @see {@link https://api.jquery.com/hide/#hide-duration-easing-complete} + */ + hide(duration?: number | string, easing?: string, complete?: Function): JQuery + /** + * Hide the matched elements. + * + * @param options A map of additional options to pass to the method. + * @see {@link https://api.jquery.com/hide/#hide-options} + */ + hide(options: JQueryAnimationOptions): JQuery + + /** + * Display the matched elements. + * + * @param duration A string or number determining how long the animation will run. + * @param complete A function to call once the animation is complete. + * @see {@link https://api.jquery.com/show/#show} + */ + show(duration?: number | string, complete?: Function): JQuery + /** + * Display the matched elements. + * + * @param duration A string or number determining how long the animation will run. + * @param easing A string indicating which easing function to use for the transition. + * @param complete A function to call once the animation is complete. + * @see {@link https://api.jquery.com/show/#show-duration-easing-complete} + */ + show(duration?: number | string, easing?: string, complete?: Function): JQuery + /** + * Display the matched elements. + * + * @param options A map of additional options to pass to the method. + * @see {@link https://api.jquery.com/show/#show-options} + */ + show(options: JQueryAnimationOptions): JQuery + + /** + * Display the matched elements with a sliding motion. + * + * @param duration A string or number determining how long the animation will run. + * @param complete A function to call once the animation is complete. + * @see {@link https://api.jquery.com/slideDown/#slideDown-duration-complete} + */ + slideDown(duration?: number | string, complete?: Function): JQuery + /** + * Display the matched elements with a sliding motion. + * + * @param duration A string or number determining how long the animation will run. + * @param easing A string indicating which easing function to use for the transition. + * @param complete A function to call once the animation is complete. + * @see {@link https://api.jquery.com/slideDown/#slideDown-duration-easing-complete} + */ + slideDown(duration?: number | string, easing?: string, complete?: Function): JQuery + /** + * Display the matched elements with a sliding motion. + * + * @param options A map of additional options to pass to the method. + * @see {@link https://api.jquery.com/slideDown/#slideDown-options} + */ + slideDown(options: JQueryAnimationOptions): JQuery + + /** + * Display or hide the matched elements with a sliding motion. + * + * @param duration A string or number determining how long the animation will run. + * @param complete A function to call once the animation is complete. + * @see {@link https://api.jquery.com/slideToggle/#slideToggle-duration-complete} + */ + slideToggle(duration?: number | string, complete?: Function): JQuery + /** + * Display or hide the matched elements with a sliding motion. + * + * @param duration A string or number determining how long the animation will run. + * @param easing A string indicating which easing function to use for the transition. + * @param complete A function to call once the animation is complete. + * @see {@link https://api.jquery.com/slideToggle/#slideToggle-duration-easing-complete} + */ + slideToggle(duration?: number | string, easing?: string, complete?: Function): JQuery + /** + * Display or hide the matched elements with a sliding motion. + * + * @param options A map of additional options to pass to the method. + * @see {@link https://api.jquery.com/slideToggle/#slideToggle-options} + */ + slideToggle(options: JQueryAnimationOptions): JQuery + + /** + * Hide the matched elements with a sliding motion. + * + * @param duration A string or number determining how long the animation will run. + * @param complete A function to call once the animation is complete. + * @see {@link https://api.jquery.com/slideUp/#slideUp-duration-complete} + */ + slideUp(duration?: number | string, complete?: Function): JQuery + /** + * Hide the matched elements with a sliding motion. + * + * @param duration A string or number determining how long the animation will run. + * @param easing A string indicating which easing function to use for the transition. + * @param complete A function to call once the animation is complete. + * @see {@link https://api.jquery.com/slideUp/#slideUp-duration-easing-complete} + */ + slideUp(duration?: number | string, easing?: string, complete?: Function): JQuery + /** + * Hide the matched elements with a sliding motion. + * + * @param options A map of additional options to pass to the method. + * @see {@link https://api.jquery.com/slideUp/#slideUp-options} + */ + slideUp(options: JQueryAnimationOptions): JQuery + + /** + * Stop the currently-running animation on the matched elements. + * + * @param clearQueue A Boolean indicating whether to remove queued animation as well. Defaults to false. + * @param jumpToEnd A Boolean indicating whether to complete the current animation immediately. Defaults to false. + * @see {@link https://api.jquery.com/stop/#stop-clearQueue-jumpToEnd} + */ + stop(clearQueue?: boolean, jumpToEnd?: boolean): JQuery + /** + * Stop the currently-running animation on the matched elements. + * + * @param queue The name of the queue in which to stop animations. + * @param clearQueue A Boolean indicating whether to remove queued animation as well. Defaults to false. + * @param jumpToEnd A Boolean indicating whether to complete the current animation immediately. Defaults to false. + * @see {@link https://api.jquery.com/stop/#stop-queue-clearQueue-jumpToEnd} + */ + stop(queue?: string, clearQueue?: boolean, jumpToEnd?: boolean): JQuery + + /** + * Display or hide the matched elements. + * + * @param duration A string or number determining how long the animation will run. + * @param complete A function to call once the animation is complete. + * @see {@link https://api.jquery.com/toggle/#toggle-duration-complete} + */ + toggle(duration?: number | string, complete?: Function): JQuery + /** + * Display or hide the matched elements. + * + * @param duration A string or number determining how long the animation will run. + * @param easing A string indicating which easing function to use for the transition. + * @param complete A function to call once the animation is complete. + * @see {@link https://api.jquery.com/toggle/#toggle-duration-easing-complete} + */ + toggle(duration?: number | string, easing?: string, complete?: Function): JQuery + /** + * Display or hide the matched elements. + * + * @param options A map of additional options to pass to the method. + * @see {@link https://api.jquery.com/toggle/#toggle-options} + */ + toggle(options: JQueryAnimationOptions): JQuery + /** + * Display or hide the matched elements. + * + * @param showOrHide A Boolean indicating whether to show or hide the elements. + * @see {@link https://api.jquery.com/toggle/#toggle-display} + */ + toggle(showOrHide: boolean): JQuery + + /** + * Attach a handler to an event for the elements. + * + * @param eventType A string containing one or more DOM event types, such as "click" or "submit," or custom event names. + * @param eventData An object containing data that will be passed to the event handler. + * @param handler A function to execute each time the event is triggered. + * @see {@link https://api.jquery.com/bind/#bind-eventType-eventData-handler} + */ + bind(eventType: string, eventData: any, handler: (eventObject: JQueryEventObject) => any): JQuery + /** + * Attach a handler to an event for the elements. + * + * @param eventType A string containing one or more DOM event types, such as "click" or "submit," or custom event names. + * @param handler A function to execute each time the event is triggered. + * @see {@link https://api.jquery.com/bind/#bind-eventType-eventData-handler} + */ + bind(eventType: string, handler: (eventObject: JQueryEventObject) => any): JQuery + /** + * Attach a handler to an event for the elements. + * + * @param eventType A string containing one or more DOM event types, such as "click" or "submit," or custom event names. + * @param eventData An object containing data that will be passed to the event handler. + * @param preventBubble Setting the third argument to false will attach a function that prevents the default action from occurring and stops the event from bubbling. The default is true. + * @see {@link https://api.jquery.com/bind/#bind-eventType-eventData-preventBubble} + */ + bind(eventType: string, eventData: any, preventBubble: boolean): JQuery + /** + * Attach a handler to an event for the elements. + * + * @param eventType A string containing one or more DOM event types, such as "click" or "submit," or custom event names. + * @param preventBubble Setting the third argument to false will attach a function that prevents the default action from occurring and stops the event from bubbling. The default is true. + * @see {@link https://api.jquery.com/bind/#bind-eventType-eventData-preventBubble} + */ + bind(eventType: string, preventBubble: boolean): JQuery + /** + * Attach a handler to an event for the elements. + * + * @param events An object containing one or more DOM event types and functions to execute for them. + * @see {@link https://api.jquery.com/bind/#bind-events} + */ + bind(events: any): JQuery + + /** + * Trigger the "blur" event on an element + * @see {@link https://api.jquery.com/blur/#blur} + */ + blur(): JQuery + /** + * Bind an event handler to the "blur" JavaScript event + * + * @param handler A function to execute each time the event is triggered. + * @see {@link https://api.jquery.com/blur/#blur-handler} + */ + blur(handler: (eventObject: JQueryEventObject) => any): JQuery + /** + * Bind an event handler to the "blur" JavaScript event + * + * @param eventData An object containing data that will be passed to the event handler. + * @param handler A function to execute each time the event is triggered. + * @see {@link https://api.jquery.com/blur/#blur-eventData-handler} + */ + blur(eventData?: any, handler?: (eventObject: JQueryEventObject) => any): JQuery + + /** + * Trigger the "change" event on an element. + * @see {@link https://api.jquery.com/change/#change} + */ + change(): JQuery + /** + * Bind an event handler to the "change" JavaScript event + * + * @param handler A function to execute each time the event is triggered. + * @see {@link https://api.jquery.com/change/#change-handler} + */ + change(handler: (eventObject: JQueryEventObject) => any): JQuery + /** + * Bind an event handler to the "change" JavaScript event + * + * @param eventData An object containing data that will be passed to the event handler. + * @param handler A function to execute each time the event is triggered. + * @see {@link https://api.jquery.com/change/#change-eventData-handler} + */ + change(eventData?: any, handler?: (eventObject: JQueryEventObject) => any): JQuery + + /** + * Trigger the "click" event on an element. + * @see {@link https://api.jquery.com/click/#click} + */ + click(): JQuery + /** + * Bind an event handler to the "click" JavaScript event + * + * @param handler A function to execute each time the event is triggered. + * @see {@link https://api.jquery.com/click/#click-handler} + */ + click(handler: (eventObject: JQueryEventObject) => any): JQuery + /** + * Bind an event handler to the "click" JavaScript event + * + * @param eventData An object containing data that will be passed to the event handler. + * @param handler A function to execute each time the event is triggered. + * @see {@link https://api.jquery.com/click/#click-eventData-handler} + */ + click(eventData?: any, handler?: (eventObject: JQueryEventObject) => any): JQuery + + /** + * Trigger the "contextmenu" event on an element. + * @see {@link https://api.jquery.com/contextmenu/#contextmenu} + */ + contextmenu(): JQuery + /** + * Bind an event handler to the "contextmenu" JavaScript event. + * + * @param handler A function to execute when the event is triggered. + * @see {@link https://api.jquery.com/contextmenu/#contextmenu-handler} + */ + contextmenu(handler: (eventObject: JQueryMouseEventObject) => any): JQuery + /** + * Bind an event handler to the "contextmenu" JavaScript event. + * + * @param eventData An object containing data that will be passed to the event handler. + * @param handler A function to execute when the event is triggered. + * @see {@link https://api.jquery.com/contextmenu/#contextmenu-eventData-handler} + */ + contextmenu(eventData: Object, handler: (eventObject: JQueryMouseEventObject) => any): JQuery + + /** + * Trigger the "dblclick" event on an element. + * @see {@link https://api.jquery.com/dblclick/#dblclick} + */ + dblclick(): JQuery + /** + * Bind an event handler to the "dblclick" JavaScript event + * + * @param handler A function to execute each time the event is triggered. + * @see {@link https://api.jquery.com/dblclick/#dblclick-handler} + */ + dblclick(handler: (eventObject: JQueryEventObject) => any): JQuery + /** + * Bind an event handler to the "dblclick" JavaScript event + * + * @param eventData An object containing data that will be passed to the event handler. + * @param handler A function to execute each time the event is triggered. + * @see {@link https://api.jquery.com/dblclick/#dblclick-eventData-handler} + */ + dblclick(eventData?: any, handler?: (eventObject: JQueryEventObject) => any): JQuery + + /** + * Attach a handler to one or more events for all elements that match the selector, now or in the future, based on a specific set of root elements. + * @see {@link https://api.jquery.com/delegate/#delegate-selector-eventType-handler} + */ + delegate(selector: any, eventType: string, handler: (eventObject: JQueryEventObject) => any): JQuery + /** + * Attach a handler to one or more events for all elements that match the selector, now or in the future, based on a specific set of root elements. + * @see {@link https://api.jquery.com/delegate/#delegate-selector-eventType-eventData-handler} + */ + delegate(selector: any, eventType: string, eventData: any, handler: (eventObject: JQueryEventObject) => any): JQuery + + /** + * Trigger the "focus" event on an element. + * @see {@link https://api.jquery.com/focus/#focus} + */ + focus(): JQuery + /** + * Bind an event handler to the "focus" JavaScript event + * + * @param handler A function to execute each time the event is triggered. + * @see {@link https://api.jquery.com/focus/#focus-handler} + */ + focus(handler: (eventObject: JQueryEventObject) => any): JQuery + /** + * Bind an event handler to the "focus" JavaScript event + * + * @param eventData An object containing data that will be passed to the event handler. + * @param handler A function to execute each time the event is triggered. + * @see {@link https://api.jquery.com/focus/#focus-eventData-handler} + */ + focus(eventData?: any, handler?: (eventObject: JQueryEventObject) => any): JQuery + + /** + * Trigger the "focusin" event on an element. + * @see {@link https://api.jquery.com/focusin/#focusin} + */ + focusin(): JQuery + /** + * Bind an event handler to the "focusin" JavaScript event + * + * @param handler A function to execute each time the event is triggered. + * @see {@link https://api.jquery.com/focusin/#focusin-handler} + */ + focusin(handler: (eventObject: JQueryEventObject) => any): JQuery + /** + * Bind an event handler to the "focusin" JavaScript event + * + * @param eventData An object containing data that will be passed to the event handler. + * @param handler A function to execute each time the event is triggered. + * @see {@link https://api.jquery.com/focusin/#focusin-eventData-handler} + */ + focusin(eventData: Object, handler: (eventObject: JQueryEventObject) => any): JQuery + + /** + * Trigger the "focusout" event on an element. + * @see {@link https://api.jquery.com/focusout/#focusout} + */ + focusout(): JQuery + /** + * Bind an event handler to the "focusout" JavaScript event + * + * @param handler A function to execute each time the event is triggered. + * @see {@link https://api.jquery.com/focusout/#focusout-handler} + */ + focusout(handler: (eventObject: JQueryEventObject) => any): JQuery + /** + * Bind an event handler to the "focusout" JavaScript event + * + * @param eventData An object containing data that will be passed to the event handler. + * @param handler A function to execute each time the event is triggered. + * @see {@link https://api.jquery.com/focusout/#focusout-eventData-handler} + */ + focusout(eventData: Object, handler: (eventObject: JQueryEventObject) => any): JQuery + + /** + * Bind two handlers to the matched elements, to be executed when the mouse pointer enters and leaves the elements. + * + * @param handlerIn A function to execute when the mouse pointer enters the element. + * @param handlerOut A function to execute when the mouse pointer leaves the element. + * @see {@link https://api.jquery.com/hover/#hover-handlerIn-handlerOut} + */ + hover(handlerIn: (eventObject: JQueryEventObject) => any, handlerOut: (eventObject: JQueryEventObject) => any): JQuery + /** + * Bind a single handler to the matched elements, to be executed when the mouse pointer enters or leaves the elements. + * + * @param handlerInOut A function to execute when the mouse pointer enters or leaves the element. + * @see {@link https://api.jquery.com/hover/#hover-handlerInOut} + */ + hover(handlerInOut: (eventObject: JQueryEventObject) => any): JQuery + + /** + * Trigger the "keydown" event on an element. + * @see {@link https://api.jquery.com/keydown/#keydown} + */ + keydown(): JQuery + /** + * Bind an event handler to the "keydown" JavaScript event + * + * @param handler A function to execute each time the event is triggered. + * @see {@link https://api.jquery.com/keydown/#keydown-handler} + */ + keydown(handler: (eventObject: JQueryKeyEventObject) => any): JQuery + /** + * Bind an event handler to the "keydown" JavaScript event + * + * @param eventData An object containing data that will be passed to the event handler. + * @param handler A function to execute each time the event is triggered. + * @see {@link https://api.jquery.com/keydown/#keydown-eventData-handler} + */ + keydown(eventData?: any, handler?: (eventObject: JQueryKeyEventObject) => any): JQuery + + /** + * Trigger the "keypress" event on an element. + * @see {@link https://api.jquery.com/keypress/#keypress} + */ + keypress(): JQuery + /** + * Bind an event handler to the "keypress" JavaScript event + * + * @param handler A function to execute each time the event is triggered. + * @see {@link https://api.jquery.com/keypress/#keypress-handler} + */ + keypress(handler: (eventObject: JQueryKeyEventObject) => any): JQuery + /** + * Bind an event handler to the "keypress" JavaScript event + * + * @param eventData An object containing data that will be passed to the event handler. + * @param handler A function to execute each time the event is triggered. + * @see {@link https://api.jquery.com/keypress/#keypress-eventData-handler} + */ + keypress(eventData?: any, handler?: (eventObject: JQueryKeyEventObject) => any): JQuery + + /** + * Trigger the "keyup" event on an element. + * @see {@link https://api.jquery.com/keyup/#keyup} + */ + keyup(): JQuery + /** + * Bind an event handler to the "keyup" JavaScript event + * + * @param handler A function to execute each time the event is triggered. + * @see {@link https://api.jquery.com/keyup/#keyup-handler} + */ + keyup(handler: (eventObject: JQueryKeyEventObject) => any): JQuery + /** + * Bind an event handler to the "keyup" JavaScript event + * + * @param eventData An object containing data that will be passed to the event handler. + * @param handler A function to execute each time the event is triggered. + * @see {@link https://api.jquery.com/keyup/#keyup-eventData-handler} + */ + keyup(eventData?: any, handler?: (eventObject: JQueryKeyEventObject) => any): JQuery + + /** + * Bind an event handler to the "load" JavaScript event. + * + * @param handler A function to execute when the event is triggered. + * @see {@link https://api.jquery.com/load/} + */ + load(handler: (eventObject: JQueryEventObject) => any): JQuery + /** + * Bind an event handler to the "load" JavaScript event. + * + * @param eventData An object containing data that will be passed to the event handler. + * @param handler A function to execute when the event is triggered. + * @see {@link https://api.jquery.com/load/} + */ + load(eventData?: any, handler?: (eventObject: JQueryEventObject) => any): JQuery + + /** + * Trigger the "mousedown" event on an element. + * @see {@link https://api.jquery.com/mousedown/#mousedown} + */ + mousedown(): JQuery + /** + * Bind an event handler to the "mousedown" JavaScript event. + * + * @param handler A function to execute when the event is triggered. + * @see {@link https://api.jquery.com/mousedown/#mousedown-handler} + */ + mousedown(handler: (eventObject: JQueryMouseEventObject) => any): JQuery + /** + * Bind an event handler to the "mousedown" JavaScript event. + * + * @param eventData An object containing data that will be passed to the event handler. + * @param handler A function to execute when the event is triggered. + * @see {@link https://api.jquery.com/mousedown/#mousedown-eventData-handler} + */ + mousedown(eventData: Object, handler: (eventObject: JQueryMouseEventObject) => any): JQuery + + /** + * Trigger the "mouseenter" event on an element. + * @see {@link https://api.jquery.com/mouseenter/#mouseenter} + */ + mouseenter(): JQuery + /** + * Bind an event handler to be fired when the mouse enters an element. + * + * @param handler A function to execute when the event is triggered. + * @see {@link https://api.jquery.com/mouseenter/#mouseenter-handler} + */ + mouseenter(handler: (eventObject: JQueryMouseEventObject) => any): JQuery + /** + * Bind an event handler to be fired when the mouse enters an element. + * + * @param eventData An object containing data that will be passed to the event handler. + * @param handler A function to execute when the event is triggered. + * @see {@link https://api.jquery.com/mouseenter/#mouseenter-eventData-handler} + */ + mouseenter(eventData: Object, handler: (eventObject: JQueryMouseEventObject) => any): JQuery + + /** + * Trigger the "mouseleave" event on an element. + * @see {@link https://api.jquery.com/mouseleave/#mouseleave} + */ + mouseleave(): JQuery + /** + * Bind an event handler to be fired when the mouse leaves an element. + * + * @param handler A function to execute when the event is triggered. + * @see {@link https://api.jquery.com/mouseleave/#mouseleave-handler} + */ + mouseleave(handler: (eventObject: JQueryMouseEventObject) => any): JQuery + /** + * Bind an event handler to be fired when the mouse leaves an element. + * + * @param eventData An object containing data that will be passed to the event handler. + * @param handler A function to execute when the event is triggered. + * @see {@link https://api.jquery.com/mouseleave/#mouseleave-eventData-handler} + */ + mouseleave(eventData: Object, handler: (eventObject: JQueryMouseEventObject) => any): JQuery + + /** + * Trigger the "mousemove" event on an element. + * @see {@link https://api.jquery.com/mousemove/#mousemove} + */ + mousemove(): JQuery + /** + * Bind an event handler to the "mousemove" JavaScript event. + * + * @param handler A function to execute when the event is triggered. + * @see {@link https://api.jquery.com/mousemove/#mousemove-handler} + */ + mousemove(handler: (eventObject: JQueryMouseEventObject) => any): JQuery + /** + * Bind an event handler to the "mousemove" JavaScript event. + * + * @param eventData An object containing data that will be passed to the event handler. + * @param handler A function to execute when the event is triggered. + * @see {@link https://api.jquery.com/mousemove/#mousemove-eventData-handler} + */ + mousemove(eventData: Object, handler: (eventObject: JQueryMouseEventObject) => any): JQuery + + /** + * Trigger the "mouseout" event on an element. + * @see {@link https://api.jquery.com/mouseout/#mouseout} + */ + mouseout(): JQuery + /** + * Bind an event handler to the "mouseout" JavaScript event. + * + * @param handler A function to execute when the event is triggered. + * @see {@link https://api.jquery.com/mouseout/#mouseout-handler} + */ + mouseout(handler: (eventObject: JQueryMouseEventObject) => any): JQuery + /** + * Bind an event handler to the "mouseout" JavaScript event. + * + * @param eventData An object containing data that will be passed to the event handler. + * @param handler A function to execute when the event is triggered. + * @see {@link https://api.jquery.com/mouseout/#mouseout-eventData-handler} + */ + mouseout(eventData: Object, handler: (eventObject: JQueryMouseEventObject) => any): JQuery + + /** + * Trigger the "mouseover" event on an element. + * @see {@link https://api.jquery.com/mouseover/#mouseover} + */ + mouseover(): JQuery + /** + * Bind an event handler to the "mouseover" JavaScript event. + * + * @param handler A function to execute when the event is triggered. + * @see {@link https://api.jquery.com/mouseover/#mouseover-handler} + */ + mouseover(handler: (eventObject: JQueryMouseEventObject) => any): JQuery + /** + * Bind an event handler to the "mouseover" JavaScript event. + * + * @param eventData An object containing data that will be passed to the event handler. + * @param handler A function to execute when the event is triggered. + * @see {@link https://api.jquery.com/mouseover/#mouseover-eventData-handler} + */ + mouseover(eventData: Object, handler: (eventObject: JQueryMouseEventObject) => any): JQuery + + /** + * Trigger the "mouseup" event on an element. + * @see {@link https://api.jquery.com/mouseup/#mouseup} + */ + mouseup(): JQuery + /** + * Bind an event handler to the "mouseup" JavaScript event. + * + * @param handler A function to execute when the event is triggered. + * @see {@link https://api.jquery.com/mouseup/#mouseup-handler} + */ + mouseup(handler: (eventObject: JQueryMouseEventObject) => any): JQuery + /** + * Bind an event handler to the "mouseup" JavaScript event. + * + * @param eventData An object containing data that will be passed to the event handler. + * @param handler A function to execute when the event is triggered. + * @see {@link https://api.jquery.com/mouseup/#mouseup-eventData-handler} + */ + mouseup(eventData: Object, handler: (eventObject: JQueryMouseEventObject) => any): JQuery + + /** + * Remove an event handler. + * @see {@link https://api.jquery.com/off/#off} + */ + off(): JQuery + /** + * Remove an event handler. + * + * @param events One or more space-separated event types and optional namespaces, or just namespaces, such as "click", "keydown.myPlugin", or ".myPlugin". + * @param selector A selector which should match the one originally passed to .on() when attaching event handlers. + * @param handler A handler function previously attached for the event(s), or the special value false. + * @see {@link https://api.jquery.com/off/#off-events-selector-handler} + */ + off(events: string, selector?: string, handler?: (eventObject: JQueryEventObject) => any): JQuery + /** + * Remove an event handler. + * + * @param events One or more space-separated event types and optional namespaces, or just namespaces, such as "click", "keydown.myPlugin", or ".myPlugin". + * @param handler A handler function previously attached for the event(s), or the special value false. Takes handler with extra args that can be attached with on(). + * @see {@link https://api.jquery.com/off/#off-events-selector-handler} + */ + off(events: string, handler: (eventObject: JQueryEventObject, ...args: any[]) => any): JQuery + /** + * Remove an event handler. + * + * @param events One or more space-separated event types and optional namespaces, or just namespaces, such as "click", "keydown.myPlugin", or ".myPlugin". + * @param handler A handler function previously attached for the event(s), or the special value false. + * @see {@link https://api.jquery.com/off/#off-events-selector-handler} + */ + off(events: string, handler: (eventObject: JQueryEventObject) => any): JQuery + /** + * Remove an event handler. + * + * @param events An object where the string keys represent one or more space-separated event types and optional namespaces, and the values represent handler functions previously attached for the event(s). + * @param selector A selector which should match the one originally passed to .on() when attaching event handlers. + * @see {@link https://api.jquery.com/off/#off-events-selector} + */ + off(events: { [key: string]: any }, selector?: string): JQuery + + /** + * Attach an event handler function for one or more events to the selected elements. + * + * @param events One or more space-separated event types and optional namespaces, such as "click" or "keydown.myPlugin". + * @param handler A function to execute when the event is triggered. The value false is also allowed as a shorthand for a function that simply does return false. Rest parameter args is for optional parameters passed to jQuery.trigger(). Note that the actual parameters on the event handler function must be marked as optional (? syntax). + * @see {@link https://api.jquery.com/on/#on-events-selector-data-handler} + */ + on(events: string, handler: (eventObject: JQueryEventObject, ...args: any[]) => any): JQuery + /** + * Attach an event handler function for one or more events to the selected elements. + * + * @param events One or more space-separated event types and optional namespaces, such as "click" or "keydown.myPlugin". + * @param selector A selector string to filter the descendants of the selected elements that trigger the event. If the selector is null or omitted, the event is always triggered when it reaches the selected element. + * @param handler A function to execute when the event is triggered. The value false is also allowed as a shorthand for a function that simply does return false. + * @see {@link https://api.jquery.com/on/#on-events-selector-data-handler} + */ + on(events: string, selector: string, handler: (eventObject: JQueryEventObject, ...eventData: any[]) => any): JQuery + /** + * Attach an event handler function for one or more events to the selected elements. + * + * @param events One or more space-separated event types and optional namespaces, such as "click" or "keydown.myPlugin". + * @param data Data to be passed to the handler in event.data when an event is triggered. + * @param handler A function to execute when the event is triggered. The value false is also allowed as a shorthand for a function that simply does return false. + * @see {@link https://api.jquery.com/on/#on-events-selector-data-handler} + */ + on(events: string, data: any, handler: (eventObject: JQueryEventObject, ...args: any[]) => any): JQuery + /** + * Attach an event handler function for one or more events to the selected elements. + * + * @param events One or more space-separated event types and optional namespaces, such as "click" or "keydown.myPlugin". + * @param selector A selector string to filter the descendants of the selected elements that trigger the event. If the selector is null or omitted, the event is always triggered when it reaches the selected element. + * @param data Data to be passed to the handler in event.data when an event is triggered. + * @param handler A function to execute when the event is triggered. The value false is also allowed as a shorthand for a function that simply does return false. + * @see {@link https://api.jquery.com/on/#on-events-selector-data-handler} + */ + on(events: string, selector: string, data: any, handler: (eventObject: JQueryEventObject, ...eventData: any[]) => any): JQuery + /** + * Attach an event handler function for one or more events to the selected elements. + * + * @param events An object in which the string keys represent one or more space-separated event types and optional namespaces, and the values represent a handler function to be called for the event(s). + * @param selector A selector string to filter the descendants of the selected elements that will call the handler. If the selector is null or omitted, the handler is always called when it reaches the selected element. + * @param data Data to be passed to the handler in event.data when an event occurs. + * @see {@link https://api.jquery.com/on/#on-events-selector-data} + */ + on(events: { [key: string]: (eventObject: JQueryEventObject, ...args: any[]) => any }, selector?: string, data?: any): JQuery + /** + * Attach an event handler function for one or more events to the selected elements. + * + * @param events An object in which the string keys represent one or more space-separated event types and optional namespaces, and the values represent a handler function to be called for the event(s). + * @param data Data to be passed to the handler in event.data when an event occurs. + * @see {@link https://api.jquery.com/on/#on-events-selector-data} + */ + on(events: { [key: string]: (eventObject: JQueryEventObject, ...args: any[]) => any }, data?: any): JQuery + + /** + * Attach a handler to an event for the elements. The handler is executed at most once per element per event type. + * + * @param events A string containing one or more JavaScript event types, such as "click" or "submit," or custom event names. + * @param handler A function to execute at the time the event is triggered. + * @see {@link https://api.jquery.com/one/#one-events-data-handler} + */ + one(events: string, handler: (eventObject: JQueryEventObject) => any): JQuery + /** + * Attach a handler to an event for the elements. The handler is executed at most once per element per event type. + * + * @param events A string containing one or more JavaScript event types, such as "click" or "submit," or custom event names. + * @param data An object containing data that will be passed to the event handler. + * @param handler A function to execute at the time the event is triggered. + * @see {@link https://api.jquery.com/one/#one-events-data-handler} + */ + one(events: string, data: Object, handler: (eventObject: JQueryEventObject) => any): JQuery + + /** + * Attach a handler to an event for the elements. The handler is executed at most once per element per event type. + * + * @param events One or more space-separated event types and optional namespaces, such as "click" or "keydown.myPlugin". + * @param selector A selector string to filter the descendants of the selected elements that trigger the event. If the selector is null or omitted, the event is always triggered when it reaches the selected element. + * @param handler A function to execute when the event is triggered. The value false is also allowed as a shorthand for a function that simply does return false. + * @see {@link https://api.jquery.com/one/#one-events-selector-data-handler} + */ + one(events: string, selector: string, handler: (eventObject: JQueryEventObject) => any): JQuery + /** + * Attach a handler to an event for the elements. The handler is executed at most once per element per event type. + * + * @param events One or more space-separated event types and optional namespaces, such as "click" or "keydown.myPlugin". + * @param selector A selector string to filter the descendants of the selected elements that trigger the event. If the selector is null or omitted, the event is always triggered when it reaches the selected element. + * @param data Data to be passed to the handler in event.data when an event is triggered. + * @param handler A function to execute when the event is triggered. The value false is also allowed as a shorthand for a function that simply does return false. + * @see {@link https://api.jquery.com/one/#one-events-selector-data-handler} + */ + one(events: string, selector: string, data: any, handler: (eventObject: JQueryEventObject) => any): JQuery + + /** + * Attach a handler to an event for the elements. The handler is executed at most once per element per event type. + * + * @param events An object in which the string keys represent one or more space-separated event types and optional namespaces, and the values represent a handler function to be called for the event(s). + * @param selector A selector string to filter the descendants of the selected elements that will call the handler. If the selector is null or omitted, the handler is always called when it reaches the selected element. + * @param data Data to be passed to the handler in event.data when an event occurs. + * @see {@link https://api.jquery.com/one/#one-events-selector-data} + */ + one(events: { [key: string]: any }, selector?: string, data?: any): JQuery + + /** + * Attach a handler to an event for the elements. The handler is executed at most once per element per event type. + * + * @param events An object in which the string keys represent one or more space-separated event types and optional namespaces, and the values represent a handler function to be called for the event(s). + * @param data Data to be passed to the handler in event.data when an event occurs. + * @see {@link https://api.jquery.com/one/#one-events-selector-data} + */ + one(events: { [key: string]: any }, data?: any): JQuery + + /** + * Specify a function to execute when the DOM is fully loaded. + * + * @param handler A function to execute after the DOM is ready. + * @see {@link https://api.jquery.com/ready/} + */ + ready(handler: (jQueryAlias?: JQueryStatic) => any): JQuery + + /** + * Trigger the "resize" event on an element. + * @see {@link https://api.jquery.com/resize/#resize} + */ + resize(): JQuery + /** + * Bind an event handler to the "resize" JavaScript event. + * + * @param handler A function to execute each time the event is triggered. + * @see {@link https://api.jquery.com/resize/#resize-handler} + */ + resize(handler: (eventObject: JQueryEventObject) => any): JQuery + /** + * Bind an event handler to the "resize" JavaScript event. + * + * @param eventData An object containing data that will be passed to the event handler. + * @param handler A function to execute each time the event is triggered. + * @see {@link https://api.jquery.com/resize/#resize-eventData-handler} + */ + resize(eventData: Object, handler: (eventObject: JQueryEventObject) => any): JQuery + + /** + * Trigger the "scroll" event on an element. + * @see {@link https://api.jquery.com/scroll/#scroll} + */ + scroll(): JQuery + /** + * Bind an event handler to the "scroll" JavaScript event. + * + * @param handler A function to execute each time the event is triggered. + * @see {@link https://api.jquery.com/scroll/#scroll-handler} + */ + scroll(handler: (eventObject: JQueryEventObject) => any): JQuery + /** + * Bind an event handler to the "scroll" JavaScript event. + * + * @param eventData An object containing data that will be passed to the event handler. + * @param handler A function to execute each time the event is triggered. + * @see {@link https://api.jquery.com/scroll/#scroll-eventData-handler} + */ + scroll(eventData: Object, handler: (eventObject: JQueryEventObject) => any): JQuery + + /** + * Trigger the "select" event on an element. + * @see {@link https://api.jquery.com/select/#select} + */ + select(): JQuery + /** + * Bind an event handler to the "select" JavaScript event. + * + * @param handler A function to execute each time the event is triggered. + * @see {@link https://api.jquery.com/select/#select-handler} + */ + select(handler: (eventObject: JQueryEventObject) => any): JQuery + /** + * Bind an event handler to the "select" JavaScript event. + * + * @param eventData An object containing data that will be passed to the event handler. + * @param handler A function to execute each time the event is triggered. + * @see {@link https://api.jquery.com/select/#select-eventData-handler} + */ + select(eventData: Object, handler: (eventObject: JQueryEventObject) => any): JQuery + + /** + * Trigger the "submit" event on an element. + * @see {@link https://api.jquery.com/submit/#submit} + */ + submit(): JQuery + /** + * Bind an event handler to the "submit" JavaScript event + * + * @param handler A function to execute each time the event is triggered. + * @see {@link https://api.jquery.com/submit/#submit-handler} + */ + submit(handler: (eventObject: JQueryEventObject) => any): JQuery + /** + * Bind an event handler to the "submit" JavaScript event + * + * @param eventData An object containing data that will be passed to the event handler. + * @param handler A function to execute each time the event is triggered. + * @see {@link https://api.jquery.com/submit/#submit-eventData-handler} + */ + submit(eventData?: any, handler?: (eventObject: JQueryEventObject) => any): JQuery + + /** + * Execute all handlers and behaviors attached to the matched elements for the given event type. + * + * @param eventType A string containing a JavaScript event type, such as click or submit. + * @param extraParameters Additional parameters to pass along to the event handler. + * @see {@link https://api.jquery.com/trigger/#trigger-eventType-extraParameters} + */ + trigger(eventType: string, extraParameters?: any[] | Object): JQuery + /** + * Execute all handlers and behaviors attached to the matched elements for the given event type. + * + * @param event A jQuery.Event object. + * @param extraParameters Additional parameters to pass along to the event handler. + * @see {@link https://api.jquery.com/trigger/#trigger-event-extraParameters} + */ + trigger(event: JQueryEventObject, extraParameters?: any[] | Object): JQuery + + /** + * Execute all handlers attached to an element for an event. + * + * @param eventType A string containing a JavaScript event type, such as click or submit. + * @param extraParameters An array of additional parameters to pass along to the event handler. + * @see {@link https://api.jquery.com/triggerHandler/#triggerHandler-eventType-extraParameters} + */ + triggerHandler(eventType: string, ...extraParameters: any[]): Object + + /** + * Execute all handlers attached to an element for an event. + * + * @param event A jQuery.Event object. + * @param extraParameters An array of additional parameters to pass along to the event handler. + * @see {@link https://api.jquery.com/triggerHandler/#triggerHandler-event-extraParameters} + */ + triggerHandler(event: JQueryEventObject, ...extraParameters: any[]): Object + + /** + * Remove a previously-attached event handler from the elements. + * + * @param eventType A string containing a JavaScript event type, such as click or submit. + * @param handler The function that is to be no longer executed. + * @see {@link https://api.jquery.com/unbind/#unbind-eventType-handler} + */ + unbind(eventType?: string, handler?: (eventObject: JQueryEventObject) => any): JQuery + /** + * Remove a previously-attached event handler from the elements. + * + * @param eventType A string containing a JavaScript event type, such as click or submit. + * @param fls Unbinds the corresponding 'return false' function that was bound using .bind( eventType, false ). + * @see {@link https://api.jquery.com/unbind/#unbind-eventType-false} + */ + unbind(eventType: string, fls: boolean): JQuery + /** + * Remove a previously-attached event handler from the elements. + * + * @param evt A JavaScript event object as passed to an event handler. + * @see {@link https://api.jquery.com/unbind/#unbind-event} + */ + unbind(evt: any): JQuery + + /** + * Remove a handler from the event for all elements which match the current selector, based upon a specific set of root elements. + * @see {@link https://api.jquery.com/undelegate/#undelegate} + */ + undelegate(): JQuery + /** + * Remove a handler from the event for all elements which match the current selector, based upon a specific set of root elements. + * + * @param selector A selector which will be used to filter the event results. + * @param eventType A string containing a JavaScript event type, such as "click" or "keydown" + * @param handler A function to execute at the time the event is triggered. + * @see {@link https://api.jquery.com/undelegate/#undelegate-selector-eventType} + */ + undelegate(selector: string, eventType: string, handler?: (eventObject: JQueryEventObject) => any): JQuery + /** + * Remove a handler from the event for all elements which match the current selector, based upon a specific set of root elements. + * + * @param selector A selector which will be used to filter the event results. + * @param events An object of one or more event types and previously bound functions to unbind from them. + * @see {@link https://api.jquery.com/undelegate/#undelegate-selector-events} + */ + undelegate(selector: string, events: Object): JQuery + /** + * Remove a handler from the event for all elements which match the current selector, based upon a specific set of root elements. + * + * @param namespace A string containing a namespace to unbind all events from. + * @see {@link https://api.jquery.com/undelegate/#undelegate-namespace} + */ + undelegate(namespace: string): JQuery + + /** + * Bind an event handler to the "unload" JavaScript event. (DEPRECATED from v1.8) + * + * @param handler A function to execute when the event is triggered. + * @see {@link https://api.jquery.com/unload/#unload-handler} + */ + unload(handler: (eventObject: JQueryEventObject) => any): JQuery + /** + * Bind an event handler to the "unload" JavaScript event. (DEPRECATED from v1.8) + * + * @param eventData A plain object of data that will be passed to the event handler. + * @param handler A function to execute when the event is triggered. + * @see {@link https://api.jquery.com/unload/#unload-eventData-handler} + */ + unload(eventData?: any, handler?: (eventObject: JQueryEventObject) => any): JQuery + + /** + * The DOM node context originally passed to jQuery(); if none was passed then context will likely be the document. (DEPRECATED from v1.10) + * @see {@link https://api.jquery.com/context/} + */ + context: Element + + jquery: string + + /** + * Bind an event handler to the "error" JavaScript event. (DEPRECATED from v1.8) + * + * @param handler A function to execute when the event is triggered. + * @see {@link https://api.jquery.com/error/#error-handler} + */ + error(handler: (eventObject: JQueryEventObject) => any): JQuery + /** + * Bind an event handler to the "error" JavaScript event. (DEPRECATED from v1.8) + * + * @param eventData A plain object of data that will be passed to the event handler. + * @param handler A function to execute when the event is triggered. + * @see {@link https://api.jquery.com/error/#error-eventData-handler} + */ + error(eventData: any, handler: (eventObject: JQueryEventObject) => any): JQuery + + /** + * Add a collection of DOM elements onto the jQuery stack. + * + * @param elements An array of elements to push onto the stack and make into a new jQuery object. + * @see {@link https://api.jquery.com/pushStack/#pushStack-elements} + */ + pushStack(elements: any[]): JQuery + /** + * Add a collection of DOM elements onto the jQuery stack. + * + * @param elements An array of elements to push onto the stack and make into a new jQuery object. + * @param name The name of a jQuery method that generated the array of elements. + * @param arguments The arguments that were passed in to the jQuery method (for serialization). + * @see {@link https://api.jquery.com/pushStack/#pushStack-elements-name-arguments} + */ + pushStack(elements: any[], name: string, arguments: any[]): JQuery + + /** + * Insert content, specified by the parameter, after each element in the set of matched elements. + * + * @param content1 HTML string, DOM element, DocumentFragment, array of elements, or jQuery object to insert after each element in the set of matched elements. + * @param content2 One or more additional DOM elements, arrays of elements, HTML strings, or jQuery objects to insert after each element in the set of matched elements. + * @see {@link https://api.jquery.com/after/#after-content-content} + */ + after(content1: JQuery | any[] | Element | DocumentFragment | Text | string, ...content2: any[]): JQuery + /** + * Insert content, specified by the parameter, after each element in the set of matched elements. + * + * @param func A function that returns an HTML string, DOM element(s), or jQuery object to insert after each element in the set of matched elements. Receives the index position of the element in the set as an argument. Within the function, this refers to the current element in the set. + * @see {@link https://api.jquery.com/after/#after-function} + */ + after(func: (index: number, html: string) => string | Element | JQuery): JQuery + + /** + * Insert content, specified by the parameter, to the end of each element in the set of matched elements. + * + * @param content1 DOM element, DocumentFragment, array of elements, HTML string, or jQuery object to insert at the end of each element in the set of matched elements. + * @param content2 One or more additional DOM elements, arrays of elements, HTML strings, or jQuery objects to insert at the end of each element in the set of matched elements. + * @see {@link https://api.jquery.com/append/#append-content-content} + */ + append(content1: JQuery | any[] | Element | DocumentFragment | Text | string, ...content2: any[]): JQuery + /** + * Insert content, specified by the parameter, to the end of each element in the set of matched elements. + * + * @param func A function that returns an HTML string, DOM element(s), or jQuery object to insert at the end of each element in the set of matched elements. Receives the index position of the element in the set and the old HTML value of the element as arguments. Within the function, this refers to the current element in the set. + * @see {@link https://api.jquery.com/append/#append-function} + */ + append(func: (index: number, html: string) => string | Element | JQuery): JQuery + + /** + * Insert every element in the set of matched elements to the end of the target. + * + * @param target A selector, element, HTML string, array of elements, or jQuery object; the matched set of elements will be inserted at the end of the element(s) specified by this parameter. + * @see {@link https://api.jquery.com/appendTo/} + */ + appendTo(target: JQuery | any[] | Element | string): JQuery + + /** + * Insert content, specified by the parameter, before each element in the set of matched elements. + * + * @param content1 HTML string, DOM element, DocumentFragment, array of elements, or jQuery object to insert before each element in the set of matched elements. + * @param content2 One or more additional DOM elements, arrays of elements, HTML strings, or jQuery objects to insert before each element in the set of matched elements. + * @see {@link https://api.jquery.com/before/#before-content-content} + */ + before(content1: JQuery | any[] | Element | DocumentFragment | Text | string, ...content2: any[]): JQuery + /** + * Insert content, specified by the parameter, before each element in the set of matched elements. + * + * @param func A function that returns an HTML string, DOM element(s), or jQuery object to insert before each element in the set of matched elements. Receives the index position of the element in the set as an argument. Within the function, this refers to the current element in the set. + * @see {@link https://api.jquery.com/before/#before-function} + */ + before(func: (index: number, html: string) => string | Element | JQuery): JQuery + + /** + * Create a deep copy of the set of matched elements. + * + * @param withDataAndEvents A Boolean indicating whether event handlers and data should be copied along with the elements. The default value is false. + * @param deepWithDataAndEvents A Boolean indicating whether event handlers and data for all children of the cloned element should be copied. By default its value matches the first argument's value (which defaults to false). + * @see {@link https://api.jquery.com/clone/} + */ + clone(withDataAndEvents?: boolean, deepWithDataAndEvents?: boolean): JQuery + + /** + * Remove the set of matched elements from the DOM. + * + * @param selector A selector expression that filters the set of matched elements to be removed. + * @see {@link https://api.jquery.com/detach/} + */ + detach(selector?: string): JQuery + + /** + * Remove all child nodes of the set of matched elements from the DOM. + * @see {@link https://api.jquery.com/empty/} + */ + empty(): JQuery + + /** + * Insert every element in the set of matched elements after the target. + * + * @param target A selector, element, array of elements, HTML string, or jQuery object; the matched set of elements will be inserted after the element(s) specified by this parameter. + * @see {@link https://api.jquery.com/insertAfter/} + */ + insertAfter(target: JQuery | any[] | Element | Text | string): JQuery + + /** + * Insert every element in the set of matched elements before the target. + * + * @param target A selector, element, array of elements, HTML string, or jQuery object; the matched set of elements will be inserted before the element(s) specified by this parameter. + * @see {@link https://api.jquery.com/insertBefore/} + */ + insertBefore(target: JQuery | any[] | Element | Text | string): JQuery + + /** + * Insert content, specified by the parameter, to the beginning of each element in the set of matched elements. + * + * @param content1 DOM element, DocumentFragment, array of elements, HTML string, or jQuery object to insert at the beginning of each element in the set of matched elements. + * @param content2 One or more additional DOM elements, arrays of elements, HTML strings, or jQuery objects to insert at the beginning of each element in the set of matched elements. + * @see {@link https://api.jquery.com/prepend/#prepend-content-content} + */ + prepend(content1: JQuery | any[] | Element | DocumentFragment | Text | string, ...content2: any[]): JQuery + /** + * Insert content, specified by the parameter, to the beginning of each element in the set of matched elements. + * + * @param func A function that returns an HTML string, DOM element(s), or jQuery object to insert at the beginning of each element in the set of matched elements. Receives the index position of the element in the set and the old HTML value of the element as arguments. Within the function, this refers to the current element in the set. + * @see {@link https://api.jquery.com/prepend/#prepend-function} + */ + prepend(func: (index: number, html: string) => string | Element | JQuery): JQuery + + /** + * Insert every element in the set of matched elements to the beginning of the target. + * + * @param target A selector, element, HTML string, array of elements, or jQuery object; the matched set of elements will be inserted at the beginning of the element(s) specified by this parameter. + * @see {@link https://api.jquery.com/prependTo/} + */ + prependTo(target: JQuery | any[] | Element | string): JQuery + + /** + * Remove the set of matched elements from the DOM. + * + * @param selector A selector expression that filters the set of matched elements to be removed. + * @see {@link https://api.jquery.com/remove/} + */ + remove(selector?: string): JQuery + + /** + * Replace each target element with the set of matched elements. + * + * @param target A selector string, jQuery object, DOM element, or array of elements indicating which element(s) to replace. + * @see {@link https://api.jquery.com/replaceAll/} + */ + replaceAll(target: JQuery | any[] | Element | string): JQuery + + /** + * Replace each element in the set of matched elements with the provided new content and return the set of elements that was removed. + * + * @param newContent The content to insert. May be an HTML string, DOM element, array of DOM elements, or jQuery object. + * @see {@link https://api.jquery.com/replaceWith/#replaceWith-newContent} + */ + replaceWith(newContent: JQuery | any[] | Element | Text | string): JQuery + /** + * Replace each element in the set of matched elements with the provided new content and return the set of elements that was removed. + * + * @param func A function that returns content with which to replace the set of matched elements. + * @see {@link https://api.jquery.com/replaceWith/#replaceWith-function} + */ + replaceWith(func: () => Element | JQuery): JQuery + + /** + * Get the combined text contents of each element in the set of matched elements, including their descendants. + * @see {@link https://api.jquery.com/text/#text} + */ + text(): string + /** + * Set the content of each element in the set of matched elements to the specified text. + * + * @param text The text to set as the content of each matched element. When Number or Boolean is supplied, it will be converted to a String representation. + * @see {@link https://api.jquery.com/text/#text-text} + */ + text(text: string | number | boolean): JQuery + /** + * Set the content of each element in the set of matched elements to the specified text. + * + * @param func A function returning the text content to set. Receives the index position of the element in the set and the old text value as arguments. + * @see {@link https://api.jquery.com/text/#text-function} + */ + text(func: (index: number, text: string) => string): JQuery + + /** + * Retrieve all the elements contained in the jQuery set, as an array. + * @name toArray + * @see {@link https://api.jquery.com/toArray/} + */ + toArray(): HTMLElement[] + + /** + * Remove the parents of the set of matched elements from the DOM, leaving the matched elements in their place. + * @see {@link https://api.jquery.com/unwrap/} + */ + unwrap(): JQuery + + /** + * Wrap an HTML structure around each element in the set of matched elements. + * + * @param wrappingElement A selector, element, HTML string, or jQuery object specifying the structure to wrap around the matched elements. + * @see {@link https://api.jquery.com/wrap/#wrap-wrappingElement} + */ + wrap(wrappingElement: JQuery | Element | string): JQuery + /** + * Wrap an HTML structure around each element in the set of matched elements. + * + * @param func A callback function returning the HTML content or jQuery object to wrap around the matched elements. Receives the index position of the element in the set as an argument. Within the function, this refers to the current element in the set. + * @see {@link https://api.jquery.com/wrap/#wrap-function} + */ + wrap(func: (index: number) => string | JQuery): JQuery + + /** + * Wrap an HTML structure around all elements in the set of matched elements. + * + * @param wrappingElement A selector, element, HTML string, or jQuery object specifying the structure to wrap around the matched elements. + * @see {@link https://api.jquery.com/wrapAll/#wrapAll-wrappingElement} + */ + wrapAll(wrappingElement: JQuery | Element | string): JQuery + /** + * Wrap an HTML structure around all elements in the set of matched elements. + * + * @param func A callback function returning the HTML content or jQuery object to wrap around all the matched elements. Within the function, this refers to the first element in the set. + * @see {@link https://api.jquery.com/wrapAll/#wrapAll-function} + */ + wrapAll(func: (index: number) => string): JQuery + + /** + * Wrap an HTML structure around the content of each element in the set of matched elements. + * + * @param wrappingElement An HTML snippet, selector expression, jQuery object, or DOM element specifying the structure to wrap around the content of the matched elements. + * @see {@link https://api.jquery.com/wrapInner/#wrapInner-wrappingElement} + */ + wrapInner(wrappingElement: JQuery | Element | string): JQuery + /** + * Wrap an HTML structure around the content of each element in the set of matched elements. + * + * @param func A callback function which generates a structure to wrap around the content of the matched elements. Receives the index position of the element in the set as an argument. Within the function, this refers to the current element in the set. + * @see {@link https://api.jquery.com/wrapInner/#wrapInner-function} + */ + wrapInner(func: (index: number) => string): JQuery + + /** + * Iterate over a jQuery object, executing a function for each matched element. + * + * @param func A function to execute for each matched element. Can stop the loop by returning false. + * @see {@link https://api.jquery.com/each/} + */ + // eslint-disable-next-line @typescript-eslint/no-invalid-void-type + each(func: (index: number, elem: Element) => boolean | void): JQuery + + /** + * Retrieve one of the elements matched by the jQuery object. + * + * @param index A zero-based integer indicating which element to retrieve. + * @see {@link https://api.jquery.com/get/#get-index} + */ + get(index: number): HTMLElement + /** + * Retrieve the elements matched by the jQuery object. + * @alias toArray + * @see {@link https://api.jquery.com/get/#get} + */ + get(): HTMLElement[] + + /** + * Search for a given element from among the matched elements. + * @see {@link https://api.jquery.com/index/#index} + */ + index(): number + /** + * Search for a given element from among the matched elements. + * + * @param selector A selector representing a jQuery collection in which to look for an element. + * @see {@link https://api.jquery.com/index/#index-selector} + */ + index(selector: string | JQuery | Element): number + + /** + * The number of elements in the jQuery object. + * @see {@link https://api.jquery.com/length/} + */ + length: number + /** + * A selector representing selector passed to jQuery(), if any, when creating the original set. + * version deprecated: 1.7, removed: 1.9 + * @see {@link https://api.jquery.com/selector/} + */ + selector: string + [index: number]: HTMLElement + + /** + * Add elements to the set of matched elements. + * + * @param selector A string representing a selector expression to find additional elements to add to the set of matched elements. + * @param context The point in the document at which the selector should begin matching; similar to the context argument of the $(selector, context) method. + * @see {@link https://api.jquery.com/add/#add-selector} + */ + add(selector: string, context?: Element): JQuery + /** + * Add elements to the set of matched elements. + * + * @param elements One or more elements to add to the set of matched elements. + * @see {@link https://api.jquery.com/add/#add-elements} + */ + add(...elements: Element[]): JQuery + /** + * Add elements to the set of matched elements. + * + * @param html An HTML fragment to add to the set of matched elements. + * @see {@link https://api.jquery.com/add/#add-html} + */ + add(html: string): JQuery + /** + * Add elements to the set of matched elements. + * + * @param obj An existing jQuery object to add to the set of matched elements. + * @see {@link https://api.jquery.com/add/#add-selection} + */ + add(obj: JQuery): JQuery + + /** + * Get the children of each element in the set of matched elements, optionally filtered by a selector. + * + * @param selector A string containing a selector expression to match elements against. + * @see {@link https://api.jquery.com/children/} + */ + children(selector?: string): JQuery + + /** + * For each element in the set, get the first element that matches the selector by testing the element itself and traversing up through its ancestors in the DOM tree. + * + * @param selector A string containing a selector expression to match elements against. + * @see {@link https://api.jquery.com/closest/#closest-selector} + */ + closest(selector: string): JQuery + /** + * For each element in the set, get the first element that matches the selector by testing the element itself and traversing up through its ancestors in the DOM tree. + * + * @param selector A string containing a selector expression to match elements against. + * @param context A DOM element within which a matching element may be found. If no context is passed in then the context of the jQuery set will be used instead. + * @see {@link https://api.jquery.com/closest/#closest-selector-context} + */ + closest(selector: string, context?: Element): JQuery + /** + * For each element in the set, get the first element that matches the selector by testing the element itself and traversing up through its ancestors in the DOM tree. + * + * @param obj A jQuery object to match elements against. + * @see {@link https://api.jquery.com/closest/#closest-selection} + */ + closest(obj: JQuery): JQuery + /** + * For each element in the set, get the first element that matches the selector by testing the element itself and traversing up through its ancestors in the DOM tree. + * + * @param element An element to match elements against. + * @see {@link https://api.jquery.com/closest/#closest-element} + */ + closest(element: Element): JQuery + + /** + * Get an array of all the elements and selectors matched against the current element up through the DOM tree. + * + * @param selectors An array or string containing a selector expression to match elements against (can also be a jQuery object). + * @param context A DOM element within which a matching element may be found. If no context is passed in then the context of the jQuery set will be used instead. + * @see {@link https://api.jquery.com/closest/#closest-selectors-context} + */ + closest(selectors: any, context?: Element): any[] + + /** + * Get the children of each element in the set of matched elements, including text and comment nodes. + * @see {@link https://api.jquery.com/contents/} + */ + contents(): JQuery + + /** + * End the most recent filtering operation in the current chain and return the set of matched elements to its previous state. + * @see {@link https://api.jquery.com/end/} + */ + end(): JQuery + + /** + * Reduce the set of matched elements to the one at the specified index. + * + * @param index An integer indicating the 0-based position of the element. OR An integer indicating the position of the element, counting backwards from the last element in the set. + * @see {@link https://api.jquery.com/eq/} + */ + eq(index: number): JQuery + + /** + * Reduce the set of matched elements to those that match the selector or pass the function's test. + * + * @param selector A string containing a selector expression to match the current set of elements against. + * @see {@link https://api.jquery.com/filter/#filter-selector} + */ + filter(selector: string): JQuery + /** + * Reduce the set of matched elements to those that match the selector or pass the function's test. + * + * @param func A function used as a test for each element in the set. this is the current DOM element. + * @see {@link https://api.jquery.com/filter/#filter-function} + */ + filter(func: (index: number, element: Element) => boolean): JQuery + /** + * Reduce the set of matched elements to those that match the selector or pass the function's test. + * + * @param element An element to match the current set of elements against. + * @see {@link https://api.jquery.com/filter/#filter-elements} + */ + filter(element: Element): JQuery + /** + * Reduce the set of matched elements to those that match the selector or pass the function's test. + * + * @param obj An existing jQuery object to match the current set of elements against. + * @see {@link https://api.jquery.com/filter/#filter-selection} + */ + filter(obj: JQuery): JQuery + + /** + * Get the descendants of each element in the current set of matched elements, filtered by a selector, jQuery object, or element. + * + * @param selector A string containing a selector expression to match elements against. + * @see {@link https://api.jquery.com/find/#find-selector} + */ + find(selector: string): JQuery + /** + * Get the descendants of each element in the current set of matched elements, filtered by a selector, jQuery object, or element. + * + * @param element An element to match elements against. + * @see {@link https://api.jquery.com/find/#find-element} + */ + find(element: Element): JQuery + /** + * Get the descendants of each element in the current set of matched elements, filtered by a selector, jQuery object, or element. + * + * @param obj A jQuery object to match elements against. + * @see {@link https://api.jquery.com/find/#find-element} + */ + find(obj: JQuery): JQuery + + /** + * Reduce the set of matched elements to the first in the set. + * @see {@link https://api.jquery.com/first/} + */ + first(): JQuery + + /** + * Reduce the set of matched elements to those that have a descendant that matches the selector or DOM element. + * + * @param selector A string containing a selector expression to match elements against. + * @see {@link https://api.jquery.com/has/#has-selector} + */ + has(selector: string): JQuery + /** + * Reduce the set of matched elements to those that have a descendant that matches the selector or DOM element. + * + * @param contained A DOM element to match elements against. + * @see {@link https://api.jquery.com/has/#has-contained} + */ + has(contained: Element): JQuery + + /** + * Check the current matched set of elements against a selector, element, or jQuery object and return true if at least one of these elements matches the given arguments. + * + * @param selector A string containing a selector expression to match elements against. + * @see {@link https://api.jquery.com/is/#is-selector} + */ + is(selector: string): boolean + /** + * Check the current matched set of elements against a selector, element, or jQuery object and return true if at least one of these elements matches the given arguments. + * + * @param func A function used as a test for the set of elements. It accepts one argument, index, which is the element's index in the jQuery collection.Within the function, this refers to the current DOM element. + * @see {@link https://api.jquery.com/is/#is-function} + */ + is(func: (index: number, element: Element) => boolean): boolean + /** + * Check the current matched set of elements against a selector, element, or jQuery object and return true if at least one of these elements matches the given arguments. + * + * @param obj An existing jQuery object to match the current set of elements against. + * @see {@link https://api.jquery.com/is/#is-selection} + */ + is(obj: JQuery): boolean + /** + * Check the current matched set of elements against a selector, element, or jQuery object and return true if at least one of these elements matches the given arguments. + * + * @param elements One or more elements to match the current set of elements against. + * @see {@link https://api.jquery.com/is/#is-elements} + */ + is(elements: any): boolean + + /** + * Reduce the set of matched elements to the final one in the set. + * @see {@link https://api.jquery.com/last/} + */ + last(): JQuery + + /** + * Pass each element in the current matched set through a function, producing a new jQuery object containing the return values. + * + * @param callback A function object that will be invoked for each element in the current set. + * @see {@link https://api.jquery.com/map/} + */ + map(callback: (index: number, domElement: Element) => any): JQuery + + /** + * Get the immediately following sibling of each element in the set of matched elements. If a selector is provided, it retrieves the next sibling only if it matches that selector. + * + * @param selector A string containing a selector expression to match elements against. + * @see {@link https://api.jquery.com/next/} + */ + next(selector?: string): JQuery + + /** + * Get all following siblings of each element in the set of matched elements, optionally filtered by a selector. + * + * @param selector A string containing a selector expression to match elements against. + * @see {@link https://api.jquery.com/nextAll/} + */ + nextAll(selector?: string): JQuery + + /** + * Get all following siblings of each element up to but not including the element matched by the selector, DOM node, or jQuery object passed. + * + * @param selector A string containing a selector expression to indicate where to stop matching following sibling elements. + * @param filter A string containing a selector expression to match elements against. + * @see {@link https://api.jquery.com/nextUntil/#nextUntil-selector-filter} + */ + nextUntil(selector?: string, filter?: string): JQuery + /** + * Get all following siblings of each element up to but not including the element matched by the selector, DOM node, or jQuery object passed. + * + * @param element A DOM node or jQuery object indicating where to stop matching following sibling elements. + * @param filter A string containing a selector expression to match elements against. + * @see {@link https://api.jquery.com/nextUntil/#nextUntil-element-filter} + */ + nextUntil(element?: Element, filter?: string): JQuery + /** + * Get all following siblings of each element up to but not including the element matched by the selector, DOM node, or jQuery object passed. + * + * @param obj A DOM node or jQuery object indicating where to stop matching following sibling elements. + * @param filter A string containing a selector expression to match elements against. + * @see {@link https://api.jquery.com/nextUntil/#nextUntil-element-filter} + */ + nextUntil(obj?: JQuery, filter?: string): JQuery + + /** + * Remove elements from the set of matched elements. + * + * @param selector A string containing a selector expression to match elements against. + * @see {@link https://api.jquery.com/not/#not-selector} + */ + not(selector: string): JQuery + /** + * Remove elements from the set of matched elements. + * + * @param func A function used as a test for each element in the set. this is the current DOM element. + * @see {@link https://api.jquery.com/not/#not-function} + */ + not(func: (index: number, element: Element) => boolean): JQuery + /** + * Remove elements from the set of matched elements. + * + * @param elements One or more DOM elements to remove from the matched set. + * @see {@link https://api.jquery.com/not/#not-selection} + */ + not(elements: Element | Element[]): JQuery + /** + * Remove elements from the set of matched elements. + * + * @param obj An existing jQuery object to match the current set of elements against. + * @see {@link https://api.jquery.com/not/#not-selection} + */ + not(obj: JQuery): JQuery + + /** + * Get the closest ancestor element that is positioned. + * @see {@link https://api.jquery.com/offsetParent/} + */ + offsetParent(): JQuery + + /** + * Get the parent of each element in the current set of matched elements, optionally filtered by a selector. + * + * @param selector A string containing a selector expression to match elements against. + * @see {@link https://api.jquery.com/parent/} + */ + parent(selector?: string): JQuery + + /** + * Get the ancestors of each element in the current set of matched elements, optionally filtered by a selector. + * + * @param selector A string containing a selector expression to match elements against. + * @see {@link https://api.jquery.com/parents/} + */ + parents(selector?: string): JQuery + + /** + * Get the ancestors of each element in the current set of matched elements, up to but not including the element matched by the selector, DOM node, or jQuery object. + * + * @param selector A string containing a selector expression to indicate where to stop matching ancestor elements. + * @param filter A string containing a selector expression to match elements against. + * @see {@link https://api.jquery.com/parentsUntil/#parentsUntil-selector-filter} + */ + parentsUntil(selector?: string, filter?: string): JQuery + /** + * Get the ancestors of each element in the current set of matched elements, up to but not including the element matched by the selector, DOM node, or jQuery object. + * + * @param element A DOM node or jQuery object indicating where to stop matching ancestor elements. + * @param filter A string containing a selector expression to match elements against. + * @see {@link https://api.jquery.com/parentsUntil/#parentsUntil-element-filter} + */ + parentsUntil(element?: Element, filter?: string): JQuery + /** + * Get the ancestors of each element in the current set of matched elements, up to but not including the element matched by the selector, DOM node, or jQuery object. + * + * @param obj A DOM node or jQuery object indicating where to stop matching ancestor elements. + * @param filter A string containing a selector expression to match elements against. + * @see {@link https://api.jquery.com/parentsUntil/#parentsUntil-element-filter} + */ + parentsUntil(obj?: JQuery, filter?: string): JQuery + + /** + * Get the immediately preceding sibling of each element in the set of matched elements, optionally filtered by a selector. + * + * @param selector A string containing a selector expression to match elements against. + * @see {@link https://api.jquery.com/prev/} + */ + prev(selector?: string): JQuery + + /** + * Get all preceding siblings of each element in the set of matched elements, optionally filtered by a selector. + * + * @param selector A string containing a selector expression to match elements against. + * @see {@link https://api.jquery.com/prevAll/} + */ + prevAll(selector?: string): JQuery + + /** + * Get all preceding siblings of each element up to but not including the element matched by the selector, DOM node, or jQuery object. + * + * @param selector A string containing a selector expression to indicate where to stop matching preceding sibling elements. + * @param filter A string containing a selector expression to match elements against. + * @see {@link https://api.jquery.com/prevUntil/#prevUntil-selector-filter} + */ + prevUntil(selector?: string, filter?: string): JQuery + /** + * Get all preceding siblings of each element up to but not including the element matched by the selector, DOM node, or jQuery object. + * + * @param element A DOM node or jQuery object indicating where to stop matching preceding sibling elements. + * @param filter A string containing a selector expression to match elements against. + * @see {@link https://api.jquery.com/prevUntil/#prevUntil-element-filter} + */ + prevUntil(element?: Element, filter?: string): JQuery + /** + * Get all preceding siblings of each element up to but not including the element matched by the selector, DOM node, or jQuery object. + * + * @param obj A DOM node or jQuery object indicating where to stop matching preceding sibling elements. + * @param filter A string containing a selector expression to match elements against. + * @see {@link https://api.jquery.com/prevUntil/#prevUntil-element-filter} + */ + prevUntil(obj?: JQuery, filter?: string): JQuery + + /** + * Get the siblings of each element in the set of matched elements, optionally filtered by a selector. + * + * @param selector A string containing a selector expression to match elements against. + * @see {@link https://api.jquery.com/siblings/} + */ + siblings(selector?: string): JQuery + + /** + * Reduce the set of matched elements to a subset specified by a range of indices. + * + * @param start An integer indicating the 0-based position at which the elements begin to be selected. If negative, it indicates an offset from the end of the set. + * @param end An integer indicating the 0-based position at which the elements stop being selected. If negative, it indicates an offset from the end of the set. If omitted, the range continues until the end of the set. + * @see {@link https://api.jquery.com/slice/} + */ + slice(start: number, end?: number): JQuery + + /** + * Show the queue of functions to be executed on the matched elements. + * + * @param queueName A string containing the name of the queue. Defaults to fx, the standard effects queue. + * @see {@link https://api.jquery.com/queue/#queue-queueName} + */ + queue(queueName?: string): any[] + /** + * Manipulate the queue of functions to be executed, once for each matched element. + * + * @param newQueue An array of functions to replace the current queue contents. + * @see {@link https://api.jquery.com/queue/#queue-queueName-newQueue} + */ + queue(newQueue: Function[]): JQuery + /** + * Manipulate the queue of functions to be executed, once for each matched element. + * + * @param callback The new function to add to the queue, with a function to call that will dequeue the next item. + * @see {@link https://api.jquery.com/queue/#queue-queueName-callback} + */ + queue(callback: Function): JQuery + /** + * Manipulate the queue of functions to be executed, once for each matched element. + * + * @param queueName A string containing the name of the queue. Defaults to fx, the standard effects queue. + * @param newQueue An array of functions to replace the current queue contents. + * @see {@link https://api.jquery.com/queue/#queue-queueName-newQueue} + */ + queue(queueName: string, newQueue: Function[]): JQuery + /** + * Manipulate the queue of functions to be executed, once for each matched element. + * + * @param queueName A string containing the name of the queue. Defaults to fx, the standard effects queue. + * @param callback The new function to add to the queue, with a function to call that will dequeue the next item. + * @see {@link https://api.jquery.com/queue/#queue-queueName-callback} + */ + queue(queueName: string, callback: Function): JQuery + + /** + * Merge the contents of an object onto the jQuery prototype to provide new jQuery instance methods. + * + * @param object An object to merge onto the jQuery prototype. + * @see {@link https://api.jquery.com/jQuery.fn.extend/#jQuery-fn-extend-object} + */ + extend(object: { [method: string]: (...args: any[]) => any }): JQuery + } +} + +// eslint-disable-next-line @definitelytyped/no-declare-current-package +declare module "jquery" { + export = $ +} +declare var jQuery: JQueryStatic +declare var $: JQueryStatic + +export default jquery \ No newline at end of file diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/types/openbis.esm.d.ts b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/types/openbis.esm.d.ts new file mode 100644 index 0000000000000000000000000000000000000000..75bf226c7e36ea5f5305bc86598f4872b3043b33 --- /dev/null +++ b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/types/openbis.esm.d.ts @@ -0,0 +1,32367 @@ +/* tslint:disable */ +/* eslint-disable */ +// Generated using typescript-generator version 3.2.1263 on 2024-01-29 16:21:05. + +export default openbis; + +export namespace openbis { + + interface AbstractCompositeSearchCriteria extends AbstractSearchCriteria { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + } + + /** + */ + interface AbstractCompositeSearchCriteriaConstructor { + + new (): AbstractCompositeSearchCriteria; + } + + interface AbstractDataSetSearchCriteria<T extends AbstractDataSetSearchCriteria<T>> extends AbstractEntitySearchCriteria<IDataSetId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + getRelation(): DataSetSearchRelation; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): T; + + withAnyBooleanProperty(): AnyBooleanPropertySearchCriteria; + + withAnyDateProperty(): AnyDatePropertySearchCriteria; + + withAnyField(): AnyFieldSearchCriteria; + + withAnyNumberProperty(): AnyNumberPropertySearchCriteria; + + withAnyProperty(): AnyPropertySearchCriteria; + + withAnyStringProperty(): AnyStringPropertySearchCriteria; + + withBooleanProperty(arg0: string): BooleanPropertySearchCriteria; + + withCode(): CodeSearchCriteria; + + withCodes(): CodesSearchCriteria; + + withDateProperty(arg0: string): DatePropertySearchCriteria; + + withExperiment(): ExperimentSearchCriteria; + + withId(): IdSearchCriteria<IDataSetId>; + + withLinkedData(): LinkedDataSearchCriteria; + + withModificationDate(): ModificationDateSearchCriteria; + + withModifier(): ModifierSearchCriteria; + + withNumberProperty(arg0: string): NumberPropertySearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): T; + + withPermId(): PermIdSearchCriteria; + + withPhysicalData(): PhysicalDataSearchCriteria; + + withProperty(arg0: string): StringPropertySearchCriteria; + + withRegistrationDate(): RegistrationDateSearchCriteria; + + withRegistrator(): RegistratorSearchCriteria; + + withSample(): SampleSearchCriteria; + + withSampleProperty(arg0: string): SamplePropertySearchCriteria; + + withStringProperty(arg0: string): StrictlyStringPropertySearchCriteria; + + withTag(): TagSearchCriteria; + + withType(): DataSetTypeSearchCriteria; + + withVocabularyProperty(arg0: string): ControlledVocabularyPropertySearchCriteria; + + withoutExperiment(): T; + + withoutSample(): T; + } + + interface AbstractDateObjectValue extends AbstractValue<number>, IDate { + } + + interface AbstractDateValue extends AbstractValue<string>, IDate { + } + + interface AbstractEntity<OBJECT extends any> extends AbstractEntityPropertyHolder, Serializable, IPropertiesHolder { + + getBooleanProperty(arg0: string): boolean; + + getControlledVocabularyProperty(arg0: string): string; + + getHyperlinkProperty(arg0: string): string; + + getIntegerArrayProperty(arg0: string): number[]; + + getIntegerProperty(arg0: string): number; + + getJsonProperty(arg0: string): string; + + getMultiValueBooleanProperty(arg0: string): boolean[]; + + getMultiValueControlledVocabularyProperty(arg0: string): string[]; + + getMultiValueHyperlinkProperty(arg0: string): string[]; + + getMultiValueIntegerArrayProperty(arg0: string): number[][]; + + getMultiValueIntegerProperty(arg0: string): number[]; + + getMultiValueJsonProperty(arg0: string): string[]; + + getMultiValueRealArrayProperty(arg0: string): number[][]; + + getMultiValueRealProperty(arg0: string): number[]; + + getMultiValueSampleProperty(arg0: string): SamplePermId[]; + + getMultiValueStringArrayProperty(arg0: string): string[][]; + + getMultiValueStringProperty(arg0: string): string[]; + + getMultiValueTimestampArrayProperty(arg0: string): number[][]; + + getMultiValueTimestampProperty(arg0: string): number[]; + + getMultiValueXmlProperty(arg0: string): string[]; + + getProperties(): { [index: string]: Serializable }; + + getProperty(arg0: string): Serializable; + + getRealArrayProperty(arg0: string): number[]; + + getRealProperty(arg0: string): number; + + getSampleProperty(arg0: string): SamplePermId; + + getStringArrayProperty(arg0: string): string[]; + + getStringProperty(arg0: string): string; + + getTimestampArrayProperty(arg0: string): number[]; + + getTimestampProperty(arg0: string): number; + + getXmlProperty(arg0: string): string; + + setBooleanProperty(arg0: string, arg1: boolean): void; + + setControlledVocabularyProperty(arg0: string, arg1: string): void; + + setHyperlinkProperty(arg0: string, arg1: string): void; + + setIntegerArrayProperty(arg0: string, arg1: number[]): void; + + setIntegerProperty(arg0: string, arg1: number): void; + + setJsonProperty(arg0: string, arg1: string): void; + + setMultiValueBooleanProperty(arg0: string, arg1: boolean[]): void; + + setMultiValueControlledVocabularyProperty(arg0: string, arg1: string[]): void; + + setMultiValueHyperlinkProperty(arg0: string, arg1: string[]): void; + + setMultiValueIntegerArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueIntegerProperty(arg0: string, arg1: number[]): void; + + setMultiValueJsonProperty(arg0: string, arg1: string[]): void; + + setMultiValueRealArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueRealProperty(arg0: string, arg1: number[]): void; + + setMultiValueSampleProperty(arg0: string, arg1: SamplePermId[]): void; + + setMultiValueStringArrayProperty(arg0: string, arg1: string[][]): void; + + setMultiValueStringProperty(arg0: string, arg1: string[]): void; + + setMultiValueTimestampArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueTimestampProperty(arg0: string, arg1: number[]): void; + + setMultiValueXmlProperty(arg0: string, arg1: string[]): void; + + setProperties(arg0: { [index: string]: Serializable }): void; + + setProperty(arg0: string, arg1: Serializable): void; + + setRealArrayProperty(arg0: string, arg1: number[]): void; + + setRealProperty(arg0: string, arg1: number): void; + + setSampleProperty(arg0: string, arg1: SamplePermId): void; + + setStringArrayProperty(arg0: string, arg1: string[]): void; + + setStringProperty(arg0: string, arg1: string): void; + + setTimestampArrayProperty(arg0: string, arg1: number[]): void; + + setTimestampProperty(arg0: string, arg1: number): void; + + setXmlProperty(arg0: string, arg1: string): void; + } + + /** + */ + interface AbstractEntityConstructor { + + new <OBJECT extends any>(): AbstractEntity<OBJECT>; + } + + interface AbstractEntityCreation extends AbstractEntityPropertyHolder { + + getBooleanProperty(arg0: string): boolean; + + getControlledVocabularyProperty(arg0: string): string; + + getHyperlinkProperty(arg0: string): string; + + getIntegerArrayProperty(arg0: string): number[]; + + getIntegerProperty(arg0: string): number; + + getJsonProperty(arg0: string): string; + + getMultiValueBooleanProperty(arg0: string): boolean[]; + + getMultiValueControlledVocabularyProperty(arg0: string): string[]; + + getMultiValueHyperlinkProperty(arg0: string): string[]; + + getMultiValueIntegerArrayProperty(arg0: string): number[][]; + + getMultiValueIntegerProperty(arg0: string): number[]; + + getMultiValueJsonProperty(arg0: string): string[]; + + getMultiValueRealArrayProperty(arg0: string): number[][]; + + getMultiValueRealProperty(arg0: string): number[]; + + getMultiValueSampleProperty(arg0: string): SamplePermId[]; + + getMultiValueStringArrayProperty(arg0: string): string[][]; + + getMultiValueStringProperty(arg0: string): string[]; + + getMultiValueTimestampArrayProperty(arg0: string): number[][]; + + getMultiValueTimestampProperty(arg0: string): number[]; + + getMultiValueXmlProperty(arg0: string): string[]; + + getProperties(): { [index: string]: Serializable }; + + getProperty(arg0: string): Serializable; + + getRealArrayProperty(arg0: string): number[]; + + getRealProperty(arg0: string): number; + + getSampleProperty(arg0: string): SamplePermId; + + getStringArrayProperty(arg0: string): string[]; + + getStringProperty(arg0: string): string; + + getTimestampArrayProperty(arg0: string): number[]; + + getTimestampProperty(arg0: string): number; + + getXmlProperty(arg0: string): string; + + setBooleanProperty(arg0: string, arg1: boolean): void; + + setControlledVocabularyProperty(arg0: string, arg1: string): void; + + setHyperlinkProperty(arg0: string, arg1: string): void; + + setIntegerArrayProperty(arg0: string, arg1: number[]): void; + + setIntegerProperty(arg0: string, arg1: number): void; + + setJsonProperty(arg0: string, arg1: string): void; + + setMultiValueBooleanProperty(arg0: string, arg1: boolean[]): void; + + setMultiValueControlledVocabularyProperty(arg0: string, arg1: string[]): void; + + setMultiValueHyperlinkProperty(arg0: string, arg1: string[]): void; + + setMultiValueIntegerArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueIntegerProperty(arg0: string, arg1: number[]): void; + + setMultiValueJsonProperty(arg0: string, arg1: string[]): void; + + setMultiValueRealArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueRealProperty(arg0: string, arg1: number[]): void; + + setMultiValueSampleProperty(arg0: string, arg1: SamplePermId[]): void; + + setMultiValueStringArrayProperty(arg0: string, arg1: string[][]): void; + + setMultiValueStringProperty(arg0: string, arg1: string[]): void; + + setMultiValueTimestampArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueTimestampProperty(arg0: string, arg1: number[]): void; + + setMultiValueXmlProperty(arg0: string, arg1: string[]): void; + + setProperties(arg0: { [index: string]: Serializable }): void; + + setProperty(arg0: string, arg1: Serializable): void; + + setRealArrayProperty(arg0: string, arg1: number[]): void; + + setRealProperty(arg0: string, arg1: number): void; + + setSampleProperty(arg0: string, arg1: SamplePermId): void; + + setStringArrayProperty(arg0: string, arg1: string[]): void; + + setStringProperty(arg0: string, arg1: string): void; + + setTimestampArrayProperty(arg0: string, arg1: number[]): void; + + setTimestampProperty(arg0: string, arg1: number): void; + + setXmlProperty(arg0: string, arg1: string): void; + } + + /** + */ + interface AbstractEntityCreationConstructor { + + new (): AbstractEntityCreation; + } + + interface AbstractEntityFetchOptions<OBJECT extends any> extends FetchOptions<OBJECT> { + + cacheMode(arg0: CacheMode): FetchOptions<OBJECT>; + + count(arg0: number): FetchOptions<OBJECT>; + + from(arg0: number): FetchOptions<OBJECT>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): SortOptions<OBJECT>; + + hasProperties(): boolean; + + sortBy(): SortOptions<OBJECT>; + + withProperties(): PropertyFetchOptions; + + withPropertiesUsing(arg0: PropertyFetchOptions): PropertyFetchOptions; + } + + /** + */ + interface AbstractEntityFetchOptionsConstructor { + + new <OBJECT extends any>(): AbstractEntityFetchOptions<OBJECT>; + } + + interface AbstractEntityPropertyHolder extends Serializable, IPropertiesHolder { + + getBooleanProperty(arg0: string): boolean; + + getControlledVocabularyProperty(arg0: string): string; + + getHyperlinkProperty(arg0: string): string; + + getIntegerArrayProperty(arg0: string): number[]; + + getIntegerProperty(arg0: string): number; + + getJsonProperty(arg0: string): string; + + getMultiValueBooleanProperty(arg0: string): boolean[]; + + getMultiValueControlledVocabularyProperty(arg0: string): string[]; + + getMultiValueHyperlinkProperty(arg0: string): string[]; + + getMultiValueIntegerArrayProperty(arg0: string): number[][]; + + getMultiValueIntegerProperty(arg0: string): number[]; + + getMultiValueJsonProperty(arg0: string): string[]; + + getMultiValueRealArrayProperty(arg0: string): number[][]; + + getMultiValueRealProperty(arg0: string): number[]; + + getMultiValueSampleProperty(arg0: string): SamplePermId[]; + + getMultiValueStringArrayProperty(arg0: string): string[][]; + + getMultiValueStringProperty(arg0: string): string[]; + + getMultiValueTimestampArrayProperty(arg0: string): number[][]; + + getMultiValueTimestampProperty(arg0: string): number[]; + + getMultiValueXmlProperty(arg0: string): string[]; + + getProperties(): { [index: string]: Serializable }; + + getProperty(arg0: string): Serializable; + + getRealArrayProperty(arg0: string): number[]; + + getRealProperty(arg0: string): number; + + getSampleProperty(arg0: string): SamplePermId; + + getStringArrayProperty(arg0: string): string[]; + + getStringProperty(arg0: string): string; + + getTimestampArrayProperty(arg0: string): number[]; + + getTimestampProperty(arg0: string): number; + + getXmlProperty(arg0: string): string; + + setBooleanProperty(arg0: string, arg1: boolean): void; + + setControlledVocabularyProperty(arg0: string, arg1: string): void; + + setHyperlinkProperty(arg0: string, arg1: string): void; + + setIntegerArrayProperty(arg0: string, arg1: number[]): void; + + setIntegerProperty(arg0: string, arg1: number): void; + + setJsonProperty(arg0: string, arg1: string): void; + + setMultiValueBooleanProperty(arg0: string, arg1: boolean[]): void; + + setMultiValueControlledVocabularyProperty(arg0: string, arg1: string[]): void; + + setMultiValueHyperlinkProperty(arg0: string, arg1: string[]): void; + + setMultiValueIntegerArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueIntegerProperty(arg0: string, arg1: number[]): void; + + setMultiValueJsonProperty(arg0: string, arg1: string[]): void; + + setMultiValueRealArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueRealProperty(arg0: string, arg1: number[]): void; + + setMultiValueSampleProperty(arg0: string, arg1: SamplePermId[]): void; + + setMultiValueStringArrayProperty(arg0: string, arg1: string[][]): void; + + setMultiValueStringProperty(arg0: string, arg1: string[]): void; + + setMultiValueTimestampArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueTimestampProperty(arg0: string, arg1: number[]): void; + + setMultiValueXmlProperty(arg0: string, arg1: string[]): void; + + setProperties(arg0: { [index: string]: Serializable }): void; + + setProperty(arg0: string, arg1: Serializable): void; + + setRealArrayProperty(arg0: string, arg1: number[]): void; + + setRealProperty(arg0: string, arg1: number): void; + + setSampleProperty(arg0: string, arg1: SamplePermId): void; + + setStringArrayProperty(arg0: string, arg1: string[]): void; + + setStringProperty(arg0: string, arg1: string): void; + + setTimestampArrayProperty(arg0: string, arg1: number[]): void; + + setTimestampProperty(arg0: string, arg1: number): void; + + setXmlProperty(arg0: string, arg1: string): void; + } + + /** + */ + interface AbstractEntityPropertyHolderConstructor { + + new (): AbstractEntityPropertyHolder; + } + + interface AbstractEntitySearchCriteria<ID extends IObjectId> extends AbstractObjectSearchCriteria<ID> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): AbstractEntitySearchCriteria<ID>; + + withAnyBooleanProperty(): AnyBooleanPropertySearchCriteria; + + withAnyDateProperty(): AnyDatePropertySearchCriteria; + + withAnyField(): AnyFieldSearchCriteria; + + withAnyNumberProperty(): AnyNumberPropertySearchCriteria; + + withAnyProperty(): AnyPropertySearchCriteria; + + withAnyStringProperty(): AnyStringPropertySearchCriteria; + + withBooleanProperty(arg0: string): BooleanPropertySearchCriteria; + + withCode(): CodeSearchCriteria; + + withCodes(): CodesSearchCriteria; + + withDateProperty(arg0: string): DatePropertySearchCriteria; + + withId(): IdSearchCriteria<ID>; + + withModificationDate(): ModificationDateSearchCriteria; + + withModifier(): ModifierSearchCriteria; + + withNumberProperty(arg0: string): NumberPropertySearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): AbstractEntitySearchCriteria<ID>; + + withPermId(): PermIdSearchCriteria; + + withProperty(arg0: string): StringPropertySearchCriteria; + + withRegistrationDate(): RegistrationDateSearchCriteria; + + withRegistrator(): RegistratorSearchCriteria; + + withSampleProperty(arg0: string): SamplePropertySearchCriteria; + + withStringProperty(arg0: string): StrictlyStringPropertySearchCriteria; + + withTag(): TagSearchCriteria; + + withVocabularyProperty(arg0: string): ControlledVocabularyPropertySearchCriteria; + } + + /** + */ + interface AbstractEntitySearchCriteriaConstructor { + + new <ID extends IObjectId>(): AbstractEntitySearchCriteria<ID>; + } + + interface AbstractEntityTypeSearchCriteria extends AbstractObjectSearchCriteria<IEntityTypeId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withCode(): CodeSearchCriteria; + + withCodes(): CodesSearchCriteria; + + withId(): IdSearchCriteria<IEntityTypeId>; + + withIds(): IdsSearchCriteria<IEntityTypeId>; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withPermId(): PermIdSearchCriteria; + + withPropertyAssignments(): PropertyAssignmentSearchCriteria; + } + + /** + */ + interface AbstractEntityTypeSearchCriteriaConstructor { + + new (): AbstractEntityTypeSearchCriteria; + } + + interface AbstractEntityUpdate extends AbstractEntityPropertyHolder { + + getBooleanProperty(arg0: string): boolean; + + getControlledVocabularyProperty(arg0: string): string; + + getHyperlinkProperty(arg0: string): string; + + getIntegerArrayProperty(arg0: string): number[]; + + getIntegerProperty(arg0: string): number; + + getJsonProperty(arg0: string): string; + + getMultiValueBooleanProperty(arg0: string): boolean[]; + + getMultiValueControlledVocabularyProperty(arg0: string): string[]; + + getMultiValueHyperlinkProperty(arg0: string): string[]; + + getMultiValueIntegerArrayProperty(arg0: string): number[][]; + + getMultiValueIntegerProperty(arg0: string): number[]; + + getMultiValueJsonProperty(arg0: string): string[]; + + getMultiValueRealArrayProperty(arg0: string): number[][]; + + getMultiValueRealProperty(arg0: string): number[]; + + getMultiValueSampleProperty(arg0: string): SamplePermId[]; + + getMultiValueStringArrayProperty(arg0: string): string[][]; + + getMultiValueStringProperty(arg0: string): string[]; + + getMultiValueTimestampArrayProperty(arg0: string): number[][]; + + getMultiValueTimestampProperty(arg0: string): number[]; + + getMultiValueXmlProperty(arg0: string): string[]; + + getProperties(): { [index: string]: Serializable }; + + getProperty(arg0: string): Serializable; + + getRealArrayProperty(arg0: string): number[]; + + getRealProperty(arg0: string): number; + + getSampleProperty(arg0: string): SamplePermId; + + getStringArrayProperty(arg0: string): string[]; + + getStringProperty(arg0: string): string; + + getTimestampArrayProperty(arg0: string): number[]; + + getTimestampProperty(arg0: string): number; + + getXmlProperty(arg0: string): string; + + setBooleanProperty(arg0: string, arg1: boolean): void; + + setControlledVocabularyProperty(arg0: string, arg1: string): void; + + setHyperlinkProperty(arg0: string, arg1: string): void; + + setIntegerArrayProperty(arg0: string, arg1: number[]): void; + + setIntegerProperty(arg0: string, arg1: number): void; + + setJsonProperty(arg0: string, arg1: string): void; + + setMultiValueBooleanProperty(arg0: string, arg1: boolean[]): void; + + setMultiValueControlledVocabularyProperty(arg0: string, arg1: string[]): void; + + setMultiValueHyperlinkProperty(arg0: string, arg1: string[]): void; + + setMultiValueIntegerArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueIntegerProperty(arg0: string, arg1: number[]): void; + + setMultiValueJsonProperty(arg0: string, arg1: string[]): void; + + setMultiValueRealArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueRealProperty(arg0: string, arg1: number[]): void; + + setMultiValueSampleProperty(arg0: string, arg1: SamplePermId[]): void; + + setMultiValueStringArrayProperty(arg0: string, arg1: string[][]): void; + + setMultiValueStringProperty(arg0: string, arg1: string[]): void; + + setMultiValueTimestampArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueTimestampProperty(arg0: string, arg1: number[]): void; + + setMultiValueXmlProperty(arg0: string, arg1: string[]): void; + + setProperties(arg0: { [index: string]: Serializable }): void; + + setProperty(arg0: string, arg1: Serializable): void; + + setRealArrayProperty(arg0: string, arg1: number[]): void; + + setRealProperty(arg0: string, arg1: number): void; + + setSampleProperty(arg0: string, arg1: SamplePermId): void; + + setStringArrayProperty(arg0: string, arg1: string[]): void; + + setStringProperty(arg0: string, arg1: string): void; + + setTimestampArrayProperty(arg0: string, arg1: number[]): void; + + setTimestampProperty(arg0: string, arg1: number): void; + + setXmlProperty(arg0: string, arg1: string): void; + } + + /** + */ + interface AbstractEntityUpdateConstructor { + + new (): AbstractEntityUpdate; + } + + interface AbstractFieldSearchCriteria<T extends any> extends AbstractSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): T; + + isNegated(): boolean; + + setFieldValue(arg0: T): void; + } + + /** + */ + interface AbstractFieldSearchCriteriaConstructor { + + new <T extends any>(arg0: string, arg1: SearchFieldType): AbstractFieldSearchCriteria<T>; + } + + interface AbstractNumberValue extends AbstractValue<number> { + } + + /** + */ + interface AbstractNumberValueConstructor { + + new (arg0: number): AbstractNumberValue; + } + + interface AbstractObjectDeletionOptions<T extends AbstractObjectDeletionOptions<T>> extends Serializable { + + getReason(): string; + + setReason(arg0: string): T; + } + + /** + */ + interface AbstractObjectDeletionOptionsConstructor { + + new <T extends AbstractObjectDeletionOptions<T>>(): AbstractObjectDeletionOptions<T>; + } + + interface AbstractObjectSearchCriteria<ID extends IObjectId> extends AbstractCompositeSearchCriteria { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withId(): IdSearchCriteria<ID>; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + } + + /** + */ + interface AbstractObjectSearchCriteriaConstructor { + + new <ID extends IObjectId>(): AbstractObjectSearchCriteria<ID>; + } + + interface AbstractOperationExecutionOptions extends IOperationExecutionOptions { + + getAvailabilityTime(): number; + + getDescription(): string; + + getDetailsAvailabilityTime(): number; + + getNotification(): IOperationExecutionNotification; + + getSummaryAvailabilityTime(): number; + + isExecuteInOrder(): boolean; + + setAvailabilityTime(arg0: number): void; + + setDescription(arg0: string): void; + + setDetailsAvailabilityTime(arg0: number): void; + + setExecuteInOrder(arg0: boolean): void; + + setNotification(arg0: IOperationExecutionNotification): void; + + setSummaryAvailabilityTime(arg0: number): void; + } + + /** + */ + interface AbstractOperationExecutionOptionsConstructor { + + new (): AbstractOperationExecutionOptions; + } + + interface AbstractSampleSearchCriteria<T extends AbstractSampleSearchCriteria<T>> extends AbstractEntitySearchCriteria<ISampleId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + getRelation(): SampleSearchRelation; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): T; + + withAnyBooleanProperty(): AnyBooleanPropertySearchCriteria; + + withAnyDateProperty(): AnyDatePropertySearchCriteria; + + withAnyField(): AnyFieldSearchCriteria; + + withAnyNumberProperty(): AnyNumberPropertySearchCriteria; + + withAnyProperty(): AnyPropertySearchCriteria; + + withAnyStringProperty(): AnyStringPropertySearchCriteria; + + withBooleanProperty(arg0: string): BooleanPropertySearchCriteria; + + withCode(): CodeSearchCriteria; + + withCodes(): CodesSearchCriteria; + + withDateProperty(arg0: string): DatePropertySearchCriteria; + + withExperiment(): ExperimentSearchCriteria; + + withId(): IdSearchCriteria<ISampleId>; + + withIdentifier(): IdentifierSearchCriteria; + + withModificationDate(): ModificationDateSearchCriteria; + + withModifier(): ModifierSearchCriteria; + + withNumberProperty(arg0: string): NumberPropertySearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): T; + + withPermId(): PermIdSearchCriteria; + + withProject(): ProjectSearchCriteria; + + withProperty(arg0: string): StringPropertySearchCriteria; + + withRegistrationDate(): RegistrationDateSearchCriteria; + + withRegistrator(): RegistratorSearchCriteria; + + withSampleProperty(arg0: string): SamplePropertySearchCriteria; + + withSpace(): SpaceSearchCriteria; + + withStringProperty(arg0: string): StrictlyStringPropertySearchCriteria; + + withTag(): TagSearchCriteria; + + withType(): SampleTypeSearchCriteria; + + withVocabularyProperty(arg0: string): ControlledVocabularyPropertySearchCriteria; + + withoutContainer(): T; + + withoutExperiment(): T; + + withoutProject(): T; + + withoutSpace(): T; + } + + interface AbstractSearchCriteria extends ISearchCriteria { + + isNegated(): boolean; + } + + /** + */ + interface AbstractSearchCriteriaConstructor { + + new (): AbstractSearchCriteria; + } + + interface AbstractStringValue extends AbstractValue<string> { + } + + interface AbstractValue<T extends any> extends Serializable { + + getValue(): T; + + setValue(arg0: T): void; + } + + interface AddressSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface AddressSearchCriteriaConstructor { + + new (): AddressSearchCriteria; + } + + interface AggregationService extends INameHolder, ILabelHolder, IPermIdHolder, Serializable { + + getFetchOptions(): AggregationServiceFetchOptions; + + getLabel(): string; + + getName(): string; + + getPermId(): DssServicePermId; + + setFetchOptions(arg0: AggregationServiceFetchOptions): void; + + setLabel(arg0: string): void; + + setName(arg0: string): void; + + setPermId(arg0: DssServicePermId): void; + } + + /** + */ + interface AggregationServiceConstructor { + + new (): AggregationService; + } + + interface AggregationServiceExecutionOptions extends as_dto_service_execute_AbstractExecutionOptionsWithParameters<AggregationServiceExecutionOptions, any> { + + getParameters(): { [index: string]: any }; + + withParameter(arg0: string, arg1: any): AggregationServiceExecutionOptions; + } + + /** + */ + interface AggregationServiceExecutionOptionsConstructor { + + new (): AggregationServiceExecutionOptions; + } + + interface AggregationServiceFetchOptions extends FetchOptions<AggregationService>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<AggregationService>; + + count(arg0: number): FetchOptions<AggregationService>; + + from(arg0: number): FetchOptions<AggregationService>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): SortOptions<AggregationService>; + + sortBy(): SortOptions<AggregationService>; + } + + /** + */ + interface AggregationServiceFetchOptionsConstructor { + + new (): AggregationServiceFetchOptions; + } + + interface AggregationServiceSearchCriteria extends AbstractObjectSearchCriteria<IDssServiceId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): AggregationServiceSearchCriteria; + + withId(): IdSearchCriteria<IDssServiceId>; + + withName(): NameSearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): AggregationServiceSearchCriteria; + } + + /** + */ + interface AggregationServiceSearchCriteriaConstructor { + + new (): AggregationServiceSearchCriteria; + } + + interface AggregationServiceSortOptions extends SortOptions<AggregationService> { + + getSortings(): Sorting[]; + } + + /** + */ + interface AggregationServiceSortOptionsConstructor { + + new (): AggregationServiceSortOptions; + } + + interface AllFields extends Serializable, IExportableFields { + + getAttributes(): Attribute[]; + + getProperties(): PropertyTypePermId[]; + } + + /** + */ + interface AllFieldsConstructor { + + new (): AllFields; + } + + interface AnyBooleanPropertySearchCriteria extends BooleanFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): boolean; + + isNegated(): boolean; + + setFieldValue(arg0: boolean): void; + + thatEquals(arg0: boolean): void; + } + + interface AnyDatePropertySearchCriteria extends DateFieldSearchCriteria { + + formatValue(arg0: string, arg1: IDateFormat): number; + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): IDate; + + getTimeZone(): ITimeZone; + + isNegated(): boolean; + + setFieldValue(arg0: IDate): void; + + setTimeZone(arg0: ITimeZone): void; + + thatEquals(arg0: number): void; + + thatEquals(arg0: string): void; + + thatIsEarlierThan(arg0: number): void; + + thatIsEarlierThan(arg0: string): void; + + thatIsEarlierThanOrEqualTo(arg0: number): void; + + thatIsEarlierThanOrEqualTo(arg0: string): void; + + thatIsLaterThan(arg0: number): void; + + thatIsLaterThan(arg0: string): void; + + thatIsLaterThanOrEqualTo(arg0: number): void; + + thatIsLaterThanOrEqualTo(arg0: string): void; + + withServerTimeZone(): DateFieldSearchCriteria; + + withTimeZone(arg0: number): DateFieldSearchCriteria; + } + + interface AnyFieldSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatMatches(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + interface AnyNumberPropertySearchCriteria extends NumberFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractNumberValue; + + isNegated(): boolean; + + setFieldValue(arg0: AbstractNumberValue): void; + + thatEquals(arg0: number): void; + + thatIsGreaterThan(arg0: number): void; + + thatIsGreaterThanOrEqualTo(arg0: number): void; + + thatIsLessThan(arg0: number): void; + + thatIsLessThanOrEqualTo(arg0: number): void; + } + + interface AnyPropertySearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatMatches(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + interface AnyStringPropertySearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatMatches(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + interface AnyStringValue extends AbstractStringValue { + } + + /** + */ + interface AnyStringValueConstructor { + + new (): AnyStringValue; + } + + interface ArchiveDataSetsOperation extends IOperation { + + getDataSetIds(): IDataSetId[]; + + getMessage(): string; + + getOptions(): DataSetArchiveOptions; + } + + /** + */ + interface ArchiveDataSetsOperationConstructor { + + new (arg0: IDataSetId[], arg1: DataSetArchiveOptions): ArchiveDataSetsOperation; + } + + interface ArchiveDataSetsOperationResult extends as_dto_common_operation_IOperationResult { + + getMessage(): string; + } + + /** + */ + interface ArchiveDataSetsOperationResultConstructor { + + new (): ArchiveDataSetsOperationResult; + } + + interface ArchivingRequestedSearchCriteria extends BooleanFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): boolean; + + isNegated(): boolean; + + setFieldValue(arg0: boolean): void; + + thatEquals(arg0: boolean): void; + } + + /** + */ + interface ArchivingRequestedSearchCriteriaConstructor { + + new (): ArchivingRequestedSearchCriteria; + } + + /** + */ + interface ArchivingStatusObject { + /** + */ + ARCHIVED: ArchivingStatus<> = "ARCHIVED"; + /** + */ + ARCHIVE_PENDING: ArchivingStatus<> = "ARCHIVE_PENDING"; + /** + */ + AVAILABLE: ArchivingStatus<> = "AVAILABLE"; + /** + */ + BACKUP_PENDING: ArchivingStatus<> = "BACKUP_PENDING"; + /** + */ + LOCKED: ArchivingStatus<> = "LOCKED"; + /** + */ + UNARCHIVE_PENDING: ArchivingStatus<> = "UNARCHIVE_PENDING"; + } + + interface AsynchronousOperationExecutionOptions extends AbstractOperationExecutionOptions { + + getAvailabilityTime(): number; + + getDescription(): string; + + getDetailsAvailabilityTime(): number; + + getNotification(): IOperationExecutionNotification; + + getSummaryAvailabilityTime(): number; + + isExecuteInOrder(): boolean; + + setAvailabilityTime(arg0: number): void; + + setDescription(arg0: string): void; + + setDetailsAvailabilityTime(arg0: number): void; + + setExecuteInOrder(arg0: boolean): void; + + setNotification(arg0: IOperationExecutionNotification): void; + + setSummaryAvailabilityTime(arg0: number): void; + } + + /** + */ + interface AsynchronousOperationExecutionOptionsConstructor { + + new (): AsynchronousOperationExecutionOptions; + } + + interface AsynchronousOperationExecutionResults extends IOperationExecutionResults { + + getExecutionId(): OperationExecutionPermId; + } + + /** + */ + interface AsynchronousOperationExecutionResultsConstructor { + + new (arg0: OperationExecutionPermId): AsynchronousOperationExecutionResults; + } + + interface Attachment extends Serializable, IDescriptionHolder, IRegistrationDateHolder, IRegistratorHolder { + + getContent(): string; + + getDescription(): string; + + getFetchOptions(): AttachmentFetchOptions; + + getFileName(): string; + + getLatestVersionPermlink(): string; + + getPermlink(): string; + + getPreviousVersion(): Attachment; + + getRegistrationDate(): number; + + getRegistrator(): Person; + + getTitle(): string; + + getVersion(): number; + + setContent(arg0: string): void; + + setDescription(arg0: string): void; + + setFetchOptions(arg0: AttachmentFetchOptions): void; + + setFileName(arg0: string): void; + + setLatestVersionPermlink(arg0: string): void; + + setPermlink(arg0: string): void; + + setPreviousVersion(arg0: Attachment): void; + + setRegistrationDate(arg0: number): void; + + setRegistrator(arg0: Person): void; + + setTitle(arg0: string): void; + + setVersion(arg0: number): void; + } + + /** + */ + interface AttachmentConstructor { + + new (): Attachment; + } + + interface AttachmentCreation extends ICreation { + + getContent(): string; + + getDescription(): string; + + getFileName(): string; + + getTitle(): string; + + setContent(arg0: string): void; + + setDescription(arg0: string): void; + + setFileName(arg0: string): void; + + setTitle(arg0: string): void; + } + + /** + */ + interface AttachmentCreationConstructor { + + new (): AttachmentCreation; + } + + interface AttachmentFetchOptions extends FetchOptions<Attachment>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<Attachment>; + + count(arg0: number): FetchOptions<Attachment>; + + from(arg0: number): FetchOptions<Attachment>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): AttachmentSortOptions; + + hasContent(): boolean; + + hasPreviousVersion(): boolean; + + hasRegistrator(): boolean; + + sortBy(): AttachmentSortOptions; + + withContent(): EmptyFetchOptions; + + withContentUsing(arg0: EmptyFetchOptions): EmptyFetchOptions; + + withPreviousVersion(): AttachmentFetchOptions; + + withPreviousVersionUsing(arg0: AttachmentFetchOptions): AttachmentFetchOptions; + + withRegistrator(): PersonFetchOptions; + + withRegistratorUsing(arg0: PersonFetchOptions): PersonFetchOptions; + } + + /** + */ + interface AttachmentFetchOptionsConstructor { + + new (): AttachmentFetchOptions; + } + + interface AttachmentFileName extends IAttachmentId, Serializable { + + getFileName(): string; + } + + /** + */ + interface AttachmentFileNameConstructor { + + new (arg0: string): AttachmentFileName; + } + + interface AttachmentListUpdateValue extends ListUpdateValue<AttachmentCreation, IAttachmentId, AttachmentCreation, any> { + + add(arg0: AttachmentCreation[]): void; + + getActions(): ListUpdateAction<any>[]; + + getAdded(): AttachmentCreation[]; + + getRemoved(): IAttachmentId[]; + + getSet(): AttachmentCreation[]; + + hasActions(): boolean; + + remove(arg0: IAttachmentId[]): void; + + set(arg0: AttachmentCreation[]): void; + + setActions(arg0: ListUpdateAction<any>[]): void; + } + + /** + */ + interface AttachmentListUpdateValueConstructor { + + new (): AttachmentListUpdateValue; + } + + interface AttachmentSortOptions extends SortOptions<Attachment> { + + getSortings(): Sorting[]; + } + + /** + */ + interface AttachmentSortOptionsConstructor { + + new (): AttachmentSortOptions; + } + + /** + */ + interface AttributeObject { + /** + */ + ARCHIVING_STATUS: Attribute<> = "ARCHIVING_STATUS"; + /** + */ + AUTO_GENERATE_CODE: Attribute<> = "AUTO_GENERATE_CODE"; + /** + */ + AUTO_GENERATE_CODES: Attribute<> = "AUTO_GENERATE_CODES"; + /** + */ + CHILDREN: Attribute<> = "CHILDREN"; + /** + */ + CODE: Attribute<> = "CODE"; + /** + */ + DESCRIPTION: Attribute<> = "DESCRIPTION"; + /** + */ + DISALLOW_DELETION: Attribute<> = "DISALLOW_DELETION"; + /** + */ + EXPERIMENT: Attribute<> = "EXPERIMENT"; + /** + */ + GENERATED_CODE_PREFIX: Attribute<> = "GENERATED_CODE_PREFIX"; + /** + */ + GENERATE_CODES: Attribute<> = "GENERATE_CODES"; + /** + */ + IDENTIFIER: Attribute<> = "IDENTIFIER"; + /** + */ + LABEL: Attribute<> = "LABEL"; + /** + */ + MAIN_DATA_SET_PATH: Attribute<> = "MAIN_DATA_SET_PATH"; + /** + */ + MAIN_DATA_SET_PATTERN: Attribute<> = "MAIN_DATA_SET_PATTERN"; + /** + */ + MODIFICATION_DATE: Attribute<> = "MODIFICATION_DATE"; + /** + */ + MODIFIER: Attribute<> = "MODIFIER"; + /** + */ + ONTOLOGY_ANNOTATION_ID: Attribute<> = "ONTOLOGY_ANNOTATION_ID"; + /** + */ + ONTOLOGY_ID: Attribute<> = "ONTOLOGY_ID"; + /** + */ + ONTOLOGY_VERSION: Attribute<> = "ONTOLOGY_VERSION"; + /** + */ + PARENTS: Attribute<> = "PARENTS"; + /** + */ + PERM_ID: Attribute<> = "PERM_ID"; + /** + */ + PRESENT_IN_ARCHIVE: Attribute<> = "PRESENT_IN_ARCHIVE"; + /** + */ + PROJECT: Attribute<> = "PROJECT"; + /** + */ + REGISTRATION_DATE: Attribute<> = "REGISTRATION_DATE"; + /** + */ + REGISTRATOR: Attribute<> = "REGISTRATOR"; + /** + */ + SAMPLE: Attribute<> = "SAMPLE"; + /** + */ + SIZE: Attribute<> = "SIZE"; + /** + */ + SPACE: Attribute<> = "SPACE"; + /** + */ + STORAGE_CONFIRMATION: Attribute<> = "STORAGE_CONFIRMATION"; + /** + */ + UNIQUE_SUBCODES: Attribute<> = "UNIQUE_SUBCODES"; + /** + */ + URL_TEMPLATE: Attribute<> = "URL_TEMPLATE"; + /** + */ + VALIDATION_SCRIPT: Attribute<> = "VALIDATION_SCRIPT"; + /** + */ + VERSION: Attribute<> = "VERSION"; + } + + interface AuthorizationGroup extends Serializable, IPermIdHolder, ICodeHolder, IDescriptionHolder, IRegistrationDateHolder, IRegistratorHolder, IModificationDateHolder { + + getCode(): string; + + getDescription(): string; + + getFetchOptions(): AuthorizationGroupFetchOptions; + + getModificationDate(): number; + + getPermId(): AuthorizationGroupPermId; + + getRegistrationDate(): number; + + getRegistrator(): Person; + + getRoleAssignments(): RoleAssignment[]; + + getUsers(): Person[]; + + setCode(arg0: string): void; + + setDescription(arg0: string): void; + + setFetchOptions(arg0: AuthorizationGroupFetchOptions): void; + + setModificationDate(arg0: number): void; + + setPermId(arg0: AuthorizationGroupPermId): void; + + setRegistrationDate(arg0: number): void; + + setRegistrator(arg0: Person): void; + + setRoleAssignments(arg0: RoleAssignment[]): void; + + setUsers(arg0: Person[]): void; + } + + /** + */ + interface AuthorizationGroupConstructor { + + new (): AuthorizationGroup; + } + + interface AuthorizationGroupCreation extends ICreation, IObjectCreation { + + getCode(): string; + + getDescription(): string; + + getUserIds(): IPersonId[]; + + setCode(arg0: string): void; + + setDescription(arg0: string): void; + + setUserIds(arg0: IPersonId[]): void; + } + + /** + */ + interface AuthorizationGroupCreationConstructor { + + new (): AuthorizationGroupCreation; + } + + interface AuthorizationGroupDeletionOptions extends AbstractObjectDeletionOptions<AuthorizationGroupDeletionOptions> { + + getReason(): string; + + setReason(arg0: string): AuthorizationGroupDeletionOptions; + } + + /** + */ + interface AuthorizationGroupDeletionOptionsConstructor { + + new (): AuthorizationGroupDeletionOptions; + } + + interface AuthorizationGroupFetchOptions extends FetchOptions<AuthorizationGroup>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<AuthorizationGroup>; + + count(arg0: number): FetchOptions<AuthorizationGroup>; + + from(arg0: number): FetchOptions<AuthorizationGroup>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): AuthorizationGroupSortOptions; + + hasRegistrator(): boolean; + + hasRoleAssignments(): boolean; + + hasUsers(): boolean; + + sortBy(): AuthorizationGroupSortOptions; + + withRegistrator(): PersonFetchOptions; + + withRegistratorUsing(arg0: PersonFetchOptions): PersonFetchOptions; + + withRoleAssignments(): RoleAssignmentFetchOptions; + + withRoleAssignmentsUsing(arg0: RoleAssignmentFetchOptions): RoleAssignmentFetchOptions; + + withUsers(): PersonFetchOptions; + + withUsersUsing(arg0: PersonFetchOptions): PersonFetchOptions; + } + + /** + */ + interface AuthorizationGroupFetchOptionsConstructor { + + new (): AuthorizationGroupFetchOptions; + } + + interface AuthorizationGroupPermId extends ObjectPermId, IAuthorizationGroupId, Serializable { + + getPermId(): string; + } + + /** + */ + interface AuthorizationGroupPermIdConstructor { + + new (arg0: string): AuthorizationGroupPermId; + } + + interface AuthorizationGroupSearchCriteria extends AbstractObjectSearchCriteria<IAuthorizationGroupId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): AuthorizationGroupSearchCriteria; + + withCode(): CodeSearchCriteria; + + withCodes(): CodesSearchCriteria; + + withId(): IdSearchCriteria<IAuthorizationGroupId>; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): AuthorizationGroupSearchCriteria; + + withPermId(): PermIdSearchCriteria; + + withUser(): PersonSearchCriteria; + } + + /** + */ + interface AuthorizationGroupSearchCriteriaConstructor { + + new (): AuthorizationGroupSearchCriteria; + } + + interface AuthorizationGroupSortOptions extends SortOptions<AuthorizationGroup> { + + code(): SortOrder; + + getCode(): SortOrder; + + getSortings(): Sorting[]; + } + + /** + */ + interface AuthorizationGroupSortOptionsConstructor { + + new (): AuthorizationGroupSortOptions; + } + + interface AuthorizationGroupUpdate extends IUpdate, IObjectUpdate<IAuthorizationGroupId> { + + getAuthorizationGroupId(): IAuthorizationGroupId; + + getDescription(): FieldUpdateValue<string>; + + getObjectId(): IAuthorizationGroupId; + + getUserIds(): IdListUpdateValue<IPersonId>; + + setAuthorizationGroupId(arg0: IAuthorizationGroupId): void; + + setDescription(arg0: string): void; + + setUserIdActions(arg0: ListUpdateAction<IPersonId>[]): void; + } + + /** + */ + interface AuthorizationGroupUpdateConstructor { + + new (): AuthorizationGroupUpdate; + } + + interface BdsDirectoryStorageFormatPermId extends StorageFormatPermId { + + getPermId(): string; + } + + /** + */ + interface BdsDirectoryStorageFormatPermIdConstructor { + + new (): BdsDirectoryStorageFormatPermId; + } + + interface BooleanFieldSearchCriteria extends AbstractFieldSearchCriteria<boolean> { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): boolean; + + isNegated(): boolean; + + setFieldValue(arg0: boolean): void; + + thatEquals(arg0: boolean): void; + } + + interface BooleanPropertySearchCriteria extends BooleanFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): boolean; + + isNegated(): boolean; + + setFieldValue(arg0: boolean): void; + + thatEquals(arg0: boolean): void; + } + + /** + */ + interface CacheModeObject { + /** + */ + CACHE: CacheMode<> = "CACHE"; + /** + */ + NO_CACHE: CacheMode<> = "NO_CACHE"; + /** + */ + RELOAD_AND_CACHE: CacheMode<> = "RELOAD_AND_CACHE"; + } + + interface CodeSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface CodeSearchCriteriaConstructor { + + new (): CodeSearchCriteria; + } + + interface CodesSearchCriteria extends CollectionFieldSearchCriteria<string> { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): string[]; + + isNegated(): boolean; + + setFieldValue(arg0: string[]): void; + + thatIn(arg0: string[]): void; + } + + /** + */ + interface CodesSearchCriteriaConstructor { + + new (): CodesSearchCriteria; + } + + interface CollectionFieldSearchCriteria<T extends any> extends AbstractFieldSearchCriteria<T[]> { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): T[]; + + isNegated(): boolean; + + setFieldValue(arg0: T[]): void; + + thatIn(arg0: T[]): void; + } + + /** + */ + interface CollectionFieldSearchCriteriaConstructor { + + new <T extends any>(arg0: string, arg1: SearchFieldType): CollectionFieldSearchCriteria<T>; + } + + /** + */ + interface CompleteObject { + /** + */ + NO: Complete<> = "NO"; + /** + */ + UNKNOWN: Complete<> = "UNKNOWN"; + /** + */ + YES: Complete<> = "YES"; + } + + interface CompleteSearchCriteria extends EnumFieldSearchCriteria<Complete> { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): Complete; + + isNegated(): boolean; + + setFieldValue(arg0: Complete): void; + + thatEquals(arg0: Complete): void; + } + + /** + */ + interface CompleteSearchCriteriaConstructor { + + new (): CompleteSearchCriteria; + } + + interface ConfirmDeletionsOperation extends IOperation { + + getDeletionIds(): IDeletionId[]; + + getMessage(): string; + + isForceDeletion(): boolean; + + isForceDeletionOfDependentDeletions(): boolean; + + setForceDeletion(arg0: boolean): void; + + setForceDeletionOfDependentDeletions(arg0: boolean): void; + } + + /** + */ + interface ConfirmDeletionsOperationConstructor { + + new (arg0: IDeletionId[]): ConfirmDeletionsOperation; + } + + interface ConfirmDeletionsOperationResult extends as_dto_common_operation_IOperationResult { + + getMessage(): string; + } + + /** + */ + interface ConfirmDeletionsOperationResultConstructor { + + new (): ConfirmDeletionsOperationResult; + } + + interface ContentCopy extends Serializable { + + getExternalCode(): string; + + getExternalDms(): ExternalDms; + + getGitCommitHash(): string; + + getGitRepositoryId(): string; + + getId(): ContentCopyPermId; + + getPath(): string; + + setExternalCode(arg0: string): void; + + setExternalDms(arg0: ExternalDms): void; + + setGitCommitHash(arg0: string): void; + + setGitRepositoryId(arg0: string): void; + + setId(arg0: ContentCopyPermId): void; + + setPath(arg0: string): void; + } + + /** + */ + interface ContentCopyConstructor { + + new (): ContentCopy; + } + + interface ContentCopyCreation extends ICreation { + + getExternalDmsId(): IExternalDmsId; + + getExternalId(): string; + + getGitCommitHash(): string; + + getGitRepositoryId(): string; + + getPath(): string; + + setExternalDmsId(arg0: IExternalDmsId): void; + + setExternalId(arg0: string): void; + + setGitCommitHash(arg0: string): void; + + setGitRepositoryId(arg0: string): void; + + setPath(arg0: string): void; + } + + /** + */ + interface ContentCopyCreationConstructor { + + new (): ContentCopyCreation; + } + + interface ContentCopyHistoryEntry extends HistoryEntry { + + getAuthor(): Person; + + getExternalCode(): string; + + getExternalDmsAddress(): string; + + getExternalDmsCode(): string; + + getExternalDmsId(): number; + + getExternalDmsLabel(): string; + + getFetchOptions(): HistoryEntryFetchOptions; + + getGitCommitHash(): string; + + getGitRepositoryId(): string; + + getPath(): string; + + getSerialversionuid(): number; + + getValidFrom(): number; + + getValidTo(): number; + + setAuthor(arg0: Person): void; + + setExternalCode(arg0: string): void; + + setExternalDmsAddress(arg0: string): void; + + setExternalDmsCode(arg0: string): void; + + setExternalDmsId(arg0: number): void; + + setExternalDmsLabel(arg0: string): void; + + setFetchOptions(arg0: HistoryEntryFetchOptions): void; + + setGitCommitHash(arg0: string): void; + + setGitRepositoryId(arg0: string): void; + + setPath(arg0: string): void; + + setValidFrom(arg0: number): void; + + setValidTo(arg0: number): void; + } + + /** + */ + interface ContentCopyHistoryEntryConstructor { + + new (): ContentCopyHistoryEntry; + } + + interface ContentCopyListUpdateValue extends ListUpdateValue<ContentCopyCreation, IContentCopyId, ContentCopyCreation, any> { + + add(arg0: ContentCopyCreation[]): void; + + getActions(): ListUpdateAction<any>[]; + + getAdded(): ContentCopyCreation[]; + + getRemoved(): IContentCopyId[]; + + getSet(): ContentCopyCreation[]; + + hasActions(): boolean; + + remove(arg0: IContentCopyId[]): void; + + set(arg0: ContentCopyCreation[]): void; + + setActions(arg0: ListUpdateAction<any>[]): void; + } + + /** + */ + interface ContentCopyListUpdateValueConstructor { + + new (): ContentCopyListUpdateValue; + } + + interface ContentCopyPermId extends ObjectPermId, IContentCopyId { + + getPermId(): string; + } + + /** + */ + interface ContentCopyPermIdConstructor { + + new (arg0: string): ContentCopyPermId; + } + + interface ContentCopySearchCriteria extends AbstractObjectSearchCriteria<IExternalDmsId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withExternalCode(): ExternalCodeSearchCriteria; + + withExternalDms(): as_dto_dataset_search_ExternalDmsSearchCriteria; + + withGitCommitHash(): GitCommitHashSearchCriteria; + + withGitRepositoryId(): GitRepositoryIdSearchCriteria; + + withId(): IdSearchCriteria<IExternalDmsId>; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withPath(): PathSearchCriteria; + } + + /** + */ + interface ContentCopySearchCriteriaConstructor { + + new (): ContentCopySearchCriteria; + } + + interface ControlledVocabularyPropertySearchCriteria extends AbstractFieldSearchCriteria<string> { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): string; + + isNegated(): boolean; + + setFieldValue(arg0: string): void; + + thatEquals(arg0: string): void; + } + + interface CreateAuthorizationGroupsOperation extends CreateObjectsOperation<AuthorizationGroupCreation> { + + getCreations(): AuthorizationGroupCreation[]; + + getMessage(): string; + } + + /** + */ + interface CreateAuthorizationGroupsOperationConstructor { + + new (arg0: AuthorizationGroupCreation[]): CreateAuthorizationGroupsOperation; + + new (arg0: AuthorizationGroupCreation[]): CreateAuthorizationGroupsOperation; + } + + interface CreateAuthorizationGroupsOperationResult extends CreateObjectsOperationResult<AuthorizationGroupPermId> { + + getMessage(): string; + + getObjectIds(): AuthorizationGroupPermId[]; + } + + /** + */ + interface CreateAuthorizationGroupsOperationResultConstructor { + + new (arg0: AuthorizationGroupPermId[]): CreateAuthorizationGroupsOperationResult; + } + + interface CreateCodesOperation extends IOperation { + + getCount(): number; + + getEntityKind(): EntityKind; + + getMessage(): string; + + getPrefix(): string; + } + + /** + */ + interface CreateCodesOperationConstructor { + + new (arg0: string, arg1: EntityKind, arg2: number): CreateCodesOperation; + } + + interface CreateCodesOperationResult extends as_dto_common_operation_IOperationResult { + + getCodes(): string[]; + + getMessage(): string; + } + + /** + */ + interface CreateCodesOperationResultConstructor { + + new (arg0: string[]): CreateCodesOperationResult; + } + + interface CreateDataSetTypesOperation extends CreateObjectsOperation<DataSetTypeCreation> { + + getCreations(): DataSetTypeCreation[]; + + getMessage(): string; + } + + /** + */ + interface CreateDataSetTypesOperationConstructor { + + new (arg0: DataSetTypeCreation[]): CreateDataSetTypesOperation; + + new (arg0: DataSetTypeCreation[]): CreateDataSetTypesOperation; + } + + interface CreateDataSetTypesOperationResult extends CreateObjectsOperationResult<EntityTypePermId> { + + getMessage(): string; + + getObjectIds(): EntityTypePermId[]; + } + + /** + */ + interface CreateDataSetTypesOperationResultConstructor { + + new (arg0: EntityTypePermId[]): CreateDataSetTypesOperationResult; + } + + interface CreateDataSetUploadResult { + + getDataSetType(): string; + + getId(): string; + + getUrl(arg0: string, arg1: boolean): string; + } + + /** + */ + interface CreateDataSetUploadResultConstructor { + + new (): CreateDataSetUploadResult; + } + + interface CreateDataSetsOperation extends CreateObjectsOperation<DataSetCreation> { + + getCreations(): DataSetCreation[]; + + getMessage(): string; + } + + /** + */ + interface CreateDataSetsOperationConstructor { + + new (arg0: DataSetCreation[]): CreateDataSetsOperation; + + new (arg0: DataSetCreation[]): CreateDataSetsOperation; + } + + interface CreateDataSetsOperationResult extends CreateObjectsOperationResult<DataSetPermId> { + + getMessage(): string; + + getObjectIds(): DataSetPermId[]; + } + + /** + */ + interface CreateDataSetsOperationResultConstructor { + + new (arg0: DataSetPermId[]): CreateDataSetsOperationResult; + } + + interface CreateExperimentTypesOperation extends CreateObjectsOperation<ExperimentTypeCreation> { + + getCreations(): ExperimentTypeCreation[]; + + getMessage(): string; + } + + /** + */ + interface CreateExperimentTypesOperationConstructor { + + new (arg0: ExperimentTypeCreation[]): CreateExperimentTypesOperation; + + new (arg0: ExperimentTypeCreation[]): CreateExperimentTypesOperation; + } + + interface CreateExperimentTypesOperationResult extends CreateObjectsOperationResult<EntityTypePermId> { + + getMessage(): string; + + getObjectIds(): EntityTypePermId[]; + } + + /** + */ + interface CreateExperimentTypesOperationResultConstructor { + + new (arg0: EntityTypePermId[]): CreateExperimentTypesOperationResult; + } + + interface CreateExperimentsOperation extends CreateObjectsOperation<ExperimentCreation> { + + getCreations(): ExperimentCreation[]; + + getMessage(): string; + } + + /** + */ + interface CreateExperimentsOperationConstructor { + + new (arg0: ExperimentCreation[]): CreateExperimentsOperation; + + new (arg0: ExperimentCreation[]): CreateExperimentsOperation; + } + + interface CreateExperimentsOperationResult extends CreateObjectsOperationResult<ExperimentPermId> { + + getMessage(): string; + + getObjectIds(): ExperimentPermId[]; + } + + /** + */ + interface CreateExperimentsOperationResultConstructor { + + new (arg0: ExperimentPermId[]): CreateExperimentsOperationResult; + } + + interface CreateExternalDmsOperation extends CreateObjectsOperation<ExternalDmsCreation> { + + getCreations(): ExternalDmsCreation[]; + + getMessage(): string; + } + + /** + */ + interface CreateExternalDmsOperationConstructor { + + new (arg0: ExternalDmsCreation[]): CreateExternalDmsOperation; + + new (arg0: ExternalDmsCreation[]): CreateExternalDmsOperation; + } + + interface CreateExternalDmsOperationResult extends CreateObjectsOperationResult<ExternalDmsPermId> { + + getMessage(): string; + + getObjectIds(): ExternalDmsPermId[]; + } + + /** + */ + interface CreateExternalDmsOperationResultConstructor { + + new (arg0: ExternalDmsPermId[]): CreateExternalDmsOperationResult; + } + + interface CreateMaterialTypesOperation extends CreateObjectsOperation<MaterialTypeCreation> { + + getCreations(): MaterialTypeCreation[]; + + getMessage(): string; + } + + /** + */ + interface CreateMaterialTypesOperationConstructor { + + new (arg0: MaterialTypeCreation[]): CreateMaterialTypesOperation; + + new (arg0: MaterialTypeCreation[]): CreateMaterialTypesOperation; + } + + interface CreateMaterialTypesOperationResult extends CreateObjectsOperationResult<EntityTypePermId> { + + getMessage(): string; + + getObjectIds(): EntityTypePermId[]; + } + + /** + */ + interface CreateMaterialTypesOperationResultConstructor { + + new (arg0: EntityTypePermId[]): CreateMaterialTypesOperationResult; + } + + interface CreateMaterialsOperation extends CreateObjectsOperation<MaterialCreation> { + + getCreations(): MaterialCreation[]; + + getMessage(): string; + } + + /** + */ + interface CreateMaterialsOperationConstructor { + + new (arg0: MaterialCreation[]): CreateMaterialsOperation; + + new (arg0: MaterialCreation[]): CreateMaterialsOperation; + } + + interface CreateMaterialsOperationResult extends CreateObjectsOperationResult<MaterialPermId> { + + getMessage(): string; + + getObjectIds(): MaterialPermId[]; + } + + /** + */ + interface CreateMaterialsOperationResultConstructor { + + new (arg0: MaterialPermId[]): CreateMaterialsOperationResult; + } + + interface CreateObjectsOperation<C extends IObjectCreation> extends IOperation { + + getCreations(): C[]; + + getMessage(): string; + } + + /** + */ + interface CreateObjectsOperationConstructor { + + new <C extends IObjectCreation>(arg0: C[]): CreateObjectsOperation<C>; + + new <C extends IObjectCreation>(arg0: C[]): CreateObjectsOperation<C>; + } + + interface CreateObjectsOperationResult<ID extends IObjectId> extends as_dto_common_operation_IOperationResult { + + getMessage(): string; + + getObjectIds(): ID[]; + } + + /** + */ + interface CreateObjectsOperationResultConstructor { + + new <ID extends IObjectId>(arg0: ID[]): CreateObjectsOperationResult<ID>; + } + + interface CreatePermIdsOperation extends IOperation { + + getCount(): number; + + getMessage(): string; + } + + /** + */ + interface CreatePermIdsOperationConstructor { + + new (arg0: number): CreatePermIdsOperation; + } + + interface CreatePermIdsOperationResult extends as_dto_common_operation_IOperationResult { + + getMessage(): string; + + getPermIds(): string[]; + } + + /** + */ + interface CreatePermIdsOperationResultConstructor { + + new (arg0: string[]): CreatePermIdsOperationResult; + } + + interface CreatePersonalAccessTokensOperation extends CreateObjectsOperation<PersonalAccessTokenCreation> { + + getCreations(): PersonalAccessTokenCreation[]; + + getMessage(): string; + } + + /** + */ + interface CreatePersonalAccessTokensOperationConstructor { + + new (arg0: PersonalAccessTokenCreation[]): CreatePersonalAccessTokensOperation; + + new (arg0: PersonalAccessTokenCreation[]): CreatePersonalAccessTokensOperation; + } + + interface CreatePersonalAccessTokensOperationResult extends CreateObjectsOperationResult<PersonalAccessTokenPermId> { + + getMessage(): string; + + getObjectIds(): PersonalAccessTokenPermId[]; + } + + /** + */ + interface CreatePersonalAccessTokensOperationResultConstructor { + + new (arg0: PersonalAccessTokenPermId[]): CreatePersonalAccessTokensOperationResult; + } + + interface CreatePersonsOperation extends CreateObjectsOperation<PersonCreation> { + + getCreations(): PersonCreation[]; + + getMessage(): string; + } + + /** + */ + interface CreatePersonsOperationConstructor { + + new (arg0: PersonCreation[]): CreatePersonsOperation; + + new (arg0: PersonCreation[]): CreatePersonsOperation; + } + + interface CreatePersonsOperationResult extends CreateObjectsOperationResult<PersonPermId> { + + getMessage(): string; + + getObjectIds(): PersonPermId[]; + } + + /** + */ + interface CreatePersonsOperationResultConstructor { + + new (arg0: PersonPermId[]): CreatePersonsOperationResult; + } + + interface CreatePluginsOperation extends CreateObjectsOperation<PluginCreation> { + + getCreations(): PluginCreation[]; + + getMessage(): string; + } + + /** + */ + interface CreatePluginsOperationConstructor { + + new (arg0: PluginCreation[]): CreatePluginsOperation; + + new (arg0: PluginCreation[]): CreatePluginsOperation; + } + + interface CreatePluginsOperationResult extends CreateObjectsOperationResult<PluginPermId> { + + getMessage(): string; + + getObjectIds(): PluginPermId[]; + } + + /** + */ + interface CreatePluginsOperationResultConstructor { + + new (arg0: PluginPermId[]): CreatePluginsOperationResult; + } + + interface CreateProjectsOperation extends CreateObjectsOperation<ProjectCreation> { + + getCreations(): ProjectCreation[]; + + getMessage(): string; + } + + /** + */ + interface CreateProjectsOperationConstructor { + + new (arg0: ProjectCreation[]): CreateProjectsOperation; + + new (arg0: ProjectCreation[]): CreateProjectsOperation; + } + + interface CreateProjectsOperationResult extends CreateObjectsOperationResult<ProjectPermId> { + + getMessage(): string; + + getObjectIds(): ProjectPermId[]; + } + + /** + */ + interface CreateProjectsOperationResultConstructor { + + new (arg0: ProjectPermId[]): CreateProjectsOperationResult; + } + + interface CreatePropertyTypesOperation extends CreateObjectsOperation<PropertyTypeCreation> { + + getCreations(): PropertyTypeCreation[]; + + getMessage(): string; + } + + /** + */ + interface CreatePropertyTypesOperationConstructor { + + new (arg0: PropertyTypeCreation[]): CreatePropertyTypesOperation; + + new (arg0: PropertyTypeCreation[]): CreatePropertyTypesOperation; + } + + interface CreatePropertyTypesOperationResult extends CreateObjectsOperationResult<PropertyTypePermId> { + + getMessage(): string; + + getObjectIds(): PropertyTypePermId[]; + } + + /** + */ + interface CreatePropertyTypesOperationResultConstructor { + + new (arg0: PropertyTypePermId[]): CreatePropertyTypesOperationResult; + } + + interface CreateQueriesOperation extends CreateObjectsOperation<QueryCreation> { + + getCreations(): QueryCreation[]; + + getMessage(): string; + } + + /** + */ + interface CreateQueriesOperationConstructor { + + new (arg0: QueryCreation[]): CreateQueriesOperation; + + new (arg0: QueryCreation[]): CreateQueriesOperation; + } + + interface CreateQueriesOperationResult extends CreateObjectsOperationResult<QueryTechId> { + + getMessage(): string; + + getObjectIds(): QueryTechId[]; + } + + /** + */ + interface CreateQueriesOperationResultConstructor { + + new (arg0: QueryTechId[]): CreateQueriesOperationResult; + } + + interface CreateRoleAssignmentsOperation extends CreateObjectsOperation<RoleAssignmentCreation> { + + getCreations(): RoleAssignmentCreation[]; + + getMessage(): string; + } + + /** + */ + interface CreateRoleAssignmentsOperationConstructor { + + new (arg0: RoleAssignmentCreation[]): CreateRoleAssignmentsOperation; + + new (arg0: RoleAssignmentCreation[]): CreateRoleAssignmentsOperation; + } + + interface CreateRoleAssignmentsOperationResult extends CreateObjectsOperationResult<RoleAssignmentTechId> { + + getMessage(): string; + + getObjectIds(): RoleAssignmentTechId[]; + } + + /** + */ + interface CreateRoleAssignmentsOperationResultConstructor { + + new (arg0: RoleAssignmentTechId[]): CreateRoleAssignmentsOperationResult; + } + + interface CreateSampleTypesOperation extends CreateObjectsOperation<SampleTypeCreation> { + + getCreations(): SampleTypeCreation[]; + + getMessage(): string; + } + + /** + */ + interface CreateSampleTypesOperationConstructor { + + new (arg0: SampleTypeCreation[]): CreateSampleTypesOperation; + + new (arg0: SampleTypeCreation[]): CreateSampleTypesOperation; + } + + interface CreateSampleTypesOperationResult extends CreateObjectsOperationResult<EntityTypePermId> { + + getMessage(): string; + + getObjectIds(): EntityTypePermId[]; + } + + /** + */ + interface CreateSampleTypesOperationResultConstructor { + + new (arg0: EntityTypePermId[]): CreateSampleTypesOperationResult; + } + + interface CreateSamplesOperation extends CreateObjectsOperation<SampleCreation> { + + getCreations(): SampleCreation[]; + + getMessage(): string; + } + + /** + */ + interface CreateSamplesOperationConstructor { + + new (arg0: SampleCreation[]): CreateSamplesOperation; + + new (arg0: SampleCreation[]): CreateSamplesOperation; + } + + interface CreateSamplesOperationResult extends CreateObjectsOperationResult<SamplePermId> { + + getMessage(): string; + + getObjectIds(): SamplePermId[]; + } + + /** + */ + interface CreateSamplesOperationResultConstructor { + + new (arg0: SamplePermId[]): CreateSamplesOperationResult; + } + + interface CreateSemanticAnnotationsOperation extends CreateObjectsOperation<SemanticAnnotationCreation> { + + getCreations(): SemanticAnnotationCreation[]; + + getMessage(): string; + } + + /** + */ + interface CreateSemanticAnnotationsOperationConstructor { + + new (arg0: SemanticAnnotationCreation[]): CreateSemanticAnnotationsOperation; + + new (arg0: SemanticAnnotationCreation[]): CreateSemanticAnnotationsOperation; + } + + interface CreateSemanticAnnotationsOperationResult extends CreateObjectsOperationResult<SemanticAnnotationPermId> { + + getMessage(): string; + + getObjectIds(): SemanticAnnotationPermId[]; + } + + /** + */ + interface CreateSemanticAnnotationsOperationResultConstructor { + + new (arg0: SemanticAnnotationPermId[]): CreateSemanticAnnotationsOperationResult; + } + + interface CreateSpacesOperation extends CreateObjectsOperation<SpaceCreation> { + + getCreations(): SpaceCreation[]; + + getMessage(): string; + } + + /** + */ + interface CreateSpacesOperationConstructor { + + new (arg0: SpaceCreation[]): CreateSpacesOperation; + + new (arg0: SpaceCreation[]): CreateSpacesOperation; + } + + interface CreateSpacesOperationResult extends CreateObjectsOperationResult<SpacePermId> { + + getMessage(): string; + + getObjectIds(): SpacePermId[]; + } + + /** + */ + interface CreateSpacesOperationResultConstructor { + + new (arg0: SpacePermId[]): CreateSpacesOperationResult; + } + + interface CreateTagsOperation extends CreateObjectsOperation<TagCreation> { + + getCreations(): TagCreation[]; + + getMessage(): string; + } + + /** + */ + interface CreateTagsOperationConstructor { + + new (arg0: TagCreation[]): CreateTagsOperation; + + new (arg0: TagCreation[]): CreateTagsOperation; + } + + interface CreateTagsOperationResult extends CreateObjectsOperationResult<TagPermId> { + + getMessage(): string; + + getObjectIds(): TagPermId[]; + } + + /** + */ + interface CreateTagsOperationResultConstructor { + + new (arg0: TagPermId[]): CreateTagsOperationResult; + } + + interface CreateVocabulariesOperation extends CreateObjectsOperation<VocabularyCreation> { + + getCreations(): VocabularyCreation[]; + + getMessage(): string; + } + + /** + */ + interface CreateVocabulariesOperationConstructor { + + new (arg0: VocabularyCreation[]): CreateVocabulariesOperation; + + new (arg0: VocabularyCreation[]): CreateVocabulariesOperation; + } + + interface CreateVocabulariesOperationResult extends CreateObjectsOperationResult<VocabularyPermId> { + + getMessage(): string; + + getObjectIds(): VocabularyPermId[]; + } + + /** + */ + interface CreateVocabulariesOperationResultConstructor { + + new (arg0: VocabularyPermId[]): CreateVocabulariesOperationResult; + } + + interface CreateVocabularyTermsOperation extends CreateObjectsOperation<VocabularyTermCreation> { + + getCreations(): VocabularyTermCreation[]; + + getMessage(): string; + } + + /** + */ + interface CreateVocabularyTermsOperationConstructor { + + new (arg0: VocabularyTermCreation[]): CreateVocabularyTermsOperation; + + new (arg0: VocabularyTermCreation[]): CreateVocabularyTermsOperation; + } + + interface CreateVocabularyTermsOperationResult extends CreateObjectsOperationResult<VocabularyTermPermId> { + + getMessage(): string; + + getObjectIds(): VocabularyTermPermId[]; + } + + /** + */ + interface CreateVocabularyTermsOperationResultConstructor { + + new (arg0: VocabularyTermPermId[]): CreateVocabularyTermsOperationResult; + } + + interface CreationId extends ISampleId, IDataSetId, IExperimentId, IProjectId, ISpaceId, IMaterialId { + + getCreationId(): string; + + setCreationId(arg0: string): void; + } + + /** + */ + interface CreationIdConstructor { + + new (arg0: string): CreationId; + } + + interface CustomASService extends ILabelHolder, Serializable { + + getCode(): CustomASServiceCode; + + getDescription(): string; + + getFetchOptions(): CustomASServiceFetchOptions; + + getLabel(): string; + + setCode(arg0: CustomASServiceCode): void; + + setDescription(arg0: string): void; + + setFetchOptions(arg0: CustomASServiceFetchOptions): void; + + setLabel(arg0: string): void; + } + + interface CustomASServiceCode extends ObjectPermId, ICustomASServiceId { + + getPermId(): string; + } + + /** + */ + interface CustomASServiceCodeConstructor { + + new (arg0: string): CustomASServiceCode; + } + + /** + */ + interface CustomASServiceConstructor { + + new (): CustomASService; + } + + interface CustomASServiceExecutionOptions extends as_dto_service_execute_AbstractExecutionOptionsWithParameters<CustomASServiceExecutionOptions, any> { + + getParameters(): { [index: string]: any }; + + withParameter(arg0: string, arg1: any): CustomASServiceExecutionOptions; + } + + /** + */ + interface CustomASServiceExecutionOptionsConstructor { + + new (): CustomASServiceExecutionOptions; + } + + interface CustomASServiceFetchOptions extends FetchOptions<CustomASService>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<CustomASService>; + + count(arg0: number): FetchOptions<CustomASService>; + + from(arg0: number): FetchOptions<CustomASService>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): CustomASServiceSortOptions; + + sortBy(): CustomASServiceSortOptions; + } + + /** + */ + interface CustomASServiceFetchOptionsConstructor { + + new (): CustomASServiceFetchOptions; + } + + interface CustomASServiceSearchCriteria extends AbstractObjectSearchCriteria<ICustomASServiceId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): CustomASServiceSearchCriteria; + + withCode(): CodeSearchCriteria; + + withCodes(): CodesSearchCriteria; + + withId(): IdSearchCriteria<ICustomASServiceId>; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): CustomASServiceSearchCriteria; + } + + /** + */ + interface CustomASServiceSearchCriteriaConstructor { + + new (): CustomASServiceSearchCriteria; + } + + interface CustomASServiceSortOptions extends SortOptions<CustomASService> { + + getSortings(): Sorting[]; + } + + /** + */ + interface CustomASServiceSortOptionsConstructor { + + new (): CustomASServiceSortOptions; + } + + interface CustomDSSService extends ILabelHolder, Serializable { + + getCode(): CustomDssServiceCode; + + getDescription(): string; + + getFetchOptions(): CustomDSSServiceFetchOptions; + + getLabel(): string; + + setCode(arg0: CustomDssServiceCode): void; + + setDescription(arg0: string): void; + + setFetchOptions(arg0: CustomDSSServiceFetchOptions): void; + + setLabel(arg0: string): void; + } + + /** + */ + interface CustomDSSServiceConstructor { + + new (): CustomDSSService; + } + + interface CustomDSSServiceExecutionOptions extends as_dto_service_execute_AbstractExecutionOptionsWithParameters<CustomDSSServiceExecutionOptions, any> { + + getParameters(): { [index: string]: any }; + + withParameter(arg0: string, arg1: any): CustomDSSServiceExecutionOptions; + } + + /** + */ + interface CustomDSSServiceExecutionOptionsConstructor { + + new (): CustomDSSServiceExecutionOptions; + } + + interface CustomDSSServiceFetchOptions extends FetchOptions<CustomDSSService>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<CustomDSSService>; + + count(arg0: number): FetchOptions<CustomDSSService>; + + from(arg0: number): FetchOptions<CustomDSSService>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): SortOptions<CustomDSSService>; + + sortBy(): SortOptions<CustomDSSService>; + } + + /** + */ + interface CustomDSSServiceFetchOptionsConstructor { + + new (): CustomDSSServiceFetchOptions; + } + + interface CustomDSSServiceSortOptions extends SortOptions<CustomDSSService> { + + getSortings(): Sorting[]; + } + + /** + */ + interface CustomDSSServiceSortOptionsConstructor { + + new (): CustomDSSServiceSortOptions; + } + + interface CustomDssServiceCode extends ObjectPermId, ICustomDSSServiceId { + + getPermId(): string; + } + + /** + */ + interface CustomDssServiceCodeConstructor { + + new (arg0: string): CustomDssServiceCode; + } + + interface DataSet extends AbstractEntity<DataSet>, Serializable, ICodeHolder, IEntityTypeHolder, IExperimentHolder, IMaterialPropertiesHolder, IModificationDateHolder, IModifierHolder, IParentChildrenHolder<DataSet>, IPermIdHolder, IPropertiesHolder, IRegistrationDateHolder, IRegistratorHolder, ISampleHolder, ITagsHolder { + + getAccessDate(): number; + + getBooleanProperty(arg0: string): boolean; + + getChildren(): DataSet[]; + + getChildrenHistory(): HistoryEntry[]; + + getCode(): string; + + getComponents(): DataSet[]; + + getComponentsHistory(): HistoryEntry[]; + + getContainers(): DataSet[]; + + getContainersHistory(): HistoryEntry[]; + + getContentCopiesHistory(): HistoryEntry[]; + + getControlledVocabularyProperty(arg0: string): string; + + getDataProducer(): string; + + getDataProductionDate(): number; + + getDataStore(): DataStore; + + getExperiment(): Experiment; + + getExperimentHistory(): HistoryEntry[]; + + getFetchOptions(): DataSetFetchOptions; + + getHistory(): HistoryEntry[]; + + getHyperlinkProperty(arg0: string): string; + + getIntegerArrayProperty(arg0: string): number[]; + + getIntegerProperty(arg0: string): number; + + getJsonProperty(arg0: string): string; + + getKind(): DataSetKind; + + getLinkedData(): LinkedData; + + getMaterialProperties(): { [index: string]: Material }; + + getMaterialProperty(arg0: string): Material; + + getMetaData(): { [index: string]: string }; + + getModificationDate(): number; + + getModifier(): Person; + + getMultiValueBooleanProperty(arg0: string): boolean[]; + + getMultiValueControlledVocabularyProperty(arg0: string): string[]; + + getMultiValueHyperlinkProperty(arg0: string): string[]; + + getMultiValueIntegerArrayProperty(arg0: string): number[][]; + + getMultiValueIntegerProperty(arg0: string): number[]; + + getMultiValueJsonProperty(arg0: string): string[]; + + getMultiValueRealArrayProperty(arg0: string): number[][]; + + getMultiValueRealProperty(arg0: string): number[]; + + getMultiValueSampleProperty(arg0: string): SamplePermId[]; + + getMultiValueStringArrayProperty(arg0: string): string[][]; + + getMultiValueStringProperty(arg0: string): string[]; + + getMultiValueTimestampArrayProperty(arg0: string): number[][]; + + getMultiValueTimestampProperty(arg0: string): number[]; + + getMultiValueXmlProperty(arg0: string): string[]; + + getParents(): DataSet[]; + + getParentsHistory(): HistoryEntry[]; + + getPermId(): DataSetPermId; + + getPhysicalData(): PhysicalData; + + getProperties(): { [index: string]: Serializable }; + + getPropertiesHistory(): HistoryEntry[]; + + getProperty(arg0: string): Serializable; + + getRealArrayProperty(arg0: string): number[]; + + getRealProperty(arg0: string): number; + + getRegistrationDate(): number; + + getRegistrator(): Person; + + getSample(): Sample; + + getSampleHistory(): HistoryEntry[]; + + getSampleProperties(): { [index: string]: Sample[] }; + + getSampleProperty(arg0: string): SamplePermId; + + getStringArrayProperty(arg0: string): string[]; + + getStringProperty(arg0: string): string; + + getTags(): Tag[]; + + getTimestampArrayProperty(arg0: string): number[]; + + getTimestampProperty(arg0: string): number; + + getType(): DataSetType; + + getUnknownHistory(): HistoryEntry[]; + + getXmlProperty(arg0: string): string; + + isFrozen(): boolean; + + isFrozenForChildren(): boolean; + + isFrozenForComponents(): boolean; + + isFrozenForContainers(): boolean; + + isFrozenForParents(): boolean; + + isMeasured(): boolean; + + isPostRegistered(): boolean; + + setAccessDate(arg0: number): void; + + setBooleanProperty(arg0: string, arg1: boolean): void; + + setChildren(arg0: DataSet[]): void; + + setChildrenHistory(arg0: HistoryEntry[]): void; + + setCode(arg0: string): void; + + setComponents(arg0: DataSet[]): void; + + setComponentsHistory(arg0: HistoryEntry[]): void; + + setContainers(arg0: DataSet[]): void; + + setContainersHistory(arg0: HistoryEntry[]): void; + + setContentCopiesHistory(arg0: HistoryEntry[]): void; + + setControlledVocabularyProperty(arg0: string, arg1: string): void; + + setDataProducer(arg0: string): void; + + setDataProductionDate(arg0: number): void; + + setDataStore(arg0: DataStore): void; + + setExperiment(arg0: Experiment): void; + + setExperimentHistory(arg0: HistoryEntry[]): void; + + setFetchOptions(arg0: DataSetFetchOptions): void; + + setFrozen(arg0: boolean): void; + + setFrozenForChildren(arg0: boolean): void; + + setFrozenForComponents(arg0: boolean): void; + + setFrozenForContainers(arg0: boolean): void; + + setFrozenForParents(arg0: boolean): void; + + setHistory(arg0: HistoryEntry[]): void; + + setHyperlinkProperty(arg0: string, arg1: string): void; + + setIntegerArrayProperty(arg0: string, arg1: number[]): void; + + setIntegerProperty(arg0: string, arg1: number): void; + + setJsonProperty(arg0: string, arg1: string): void; + + setKind(arg0: DataSetKind): void; + + setLinkedData(arg0: LinkedData): void; + + setMaterialProperties(arg0: { [index: string]: Material }): void; + + setMaterialProperty(arg0: string, arg1: Material): void; + + setMeasured(arg0: boolean): void; + + setMetaData(arg0: { [index: string]: string }): void; + + setModificationDate(arg0: number): void; + + setModifier(arg0: Person): void; + + setMultiValueBooleanProperty(arg0: string, arg1: boolean[]): void; + + setMultiValueControlledVocabularyProperty(arg0: string, arg1: string[]): void; + + setMultiValueHyperlinkProperty(arg0: string, arg1: string[]): void; + + setMultiValueIntegerArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueIntegerProperty(arg0: string, arg1: number[]): void; + + setMultiValueJsonProperty(arg0: string, arg1: string[]): void; + + setMultiValueRealArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueRealProperty(arg0: string, arg1: number[]): void; + + setMultiValueSampleProperty(arg0: string, arg1: SamplePermId[]): void; + + setMultiValueStringArrayProperty(arg0: string, arg1: string[][]): void; + + setMultiValueStringProperty(arg0: string, arg1: string[]): void; + + setMultiValueTimestampArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueTimestampProperty(arg0: string, arg1: number[]): void; + + setMultiValueXmlProperty(arg0: string, arg1: string[]): void; + + setParents(arg0: DataSet[]): void; + + setParentsHistory(arg0: HistoryEntry[]): void; + + setPermId(arg0: DataSetPermId): void; + + setPhysicalData(arg0: PhysicalData): void; + + setPostRegistered(arg0: boolean): void; + + setProperties(arg0: { [index: string]: Serializable }): void; + + setPropertiesHistory(arg0: HistoryEntry[]): void; + + setProperty(arg0: string, arg1: Serializable): void; + + setRealArrayProperty(arg0: string, arg1: number[]): void; + + setRealProperty(arg0: string, arg1: number): void; + + setRegistrationDate(arg0: number): void; + + setRegistrator(arg0: Person): void; + + setSample(arg0: Sample): void; + + setSampleHistory(arg0: HistoryEntry[]): void; + + setSampleProperties(arg0: { [index: string]: Sample[] }): void; + + setSampleProperty(arg0: string, arg1: SamplePermId): void; + + setStringArrayProperty(arg0: string, arg1: string[]): void; + + setStringProperty(arg0: string, arg1: string): void; + + setTags(arg0: Tag[]): void; + + setTimestampArrayProperty(arg0: string, arg1: number[]): void; + + setTimestampProperty(arg0: string, arg1: number): void; + + setType(arg0: DataSetType): void; + + setUnknownHistory(arg0: HistoryEntry[]): void; + + setXmlProperty(arg0: string, arg1: string): void; + } + + interface DataSetArchiveOptions extends Serializable { + + getOptions(): { [index: string]: string }; + + isRemoveFromDataStore(): boolean; + + setRemoveFromDataStore(arg0: boolean): void; + + withOption(arg0: string, arg1: string): DataSetArchiveOptions; + } + + /** + */ + interface DataSetArchiveOptionsConstructor { + + new (): DataSetArchiveOptions; + } + + interface DataSetChildrenSearchCriteria extends AbstractDataSetSearchCriteria<DataSetChildrenSearchCriteria> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + getRelation(): DataSetSearchRelation; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): DataSetChildrenSearchCriteria; + + withAnyBooleanProperty(): AnyBooleanPropertySearchCriteria; + + withAnyDateProperty(): AnyDatePropertySearchCriteria; + + withAnyField(): AnyFieldSearchCriteria; + + withAnyNumberProperty(): AnyNumberPropertySearchCriteria; + + withAnyProperty(): AnyPropertySearchCriteria; + + withAnyStringProperty(): AnyStringPropertySearchCriteria; + + withBooleanProperty(arg0: string): BooleanPropertySearchCriteria; + + withCode(): CodeSearchCriteria; + + withCodes(): CodesSearchCriteria; + + withDateProperty(arg0: string): DatePropertySearchCriteria; + + withExperiment(): ExperimentSearchCriteria; + + withId(): IdSearchCriteria<IDataSetId>; + + withLinkedData(): LinkedDataSearchCriteria; + + withModificationDate(): ModificationDateSearchCriteria; + + withModifier(): ModifierSearchCriteria; + + withNumberProperty(arg0: string): NumberPropertySearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): DataSetChildrenSearchCriteria; + + withPermId(): PermIdSearchCriteria; + + withPhysicalData(): PhysicalDataSearchCriteria; + + withProperty(arg0: string): StringPropertySearchCriteria; + + withRegistrationDate(): RegistrationDateSearchCriteria; + + withRegistrator(): RegistratorSearchCriteria; + + withSample(): SampleSearchCriteria; + + withSampleProperty(arg0: string): SamplePropertySearchCriteria; + + withStringProperty(arg0: string): StrictlyStringPropertySearchCriteria; + + withTag(): TagSearchCriteria; + + withType(): DataSetTypeSearchCriteria; + + withVocabularyProperty(arg0: string): ControlledVocabularyPropertySearchCriteria; + + withoutExperiment(): DataSetChildrenSearchCriteria; + + withoutSample(): DataSetChildrenSearchCriteria; + } + + /** + */ + interface DataSetChildrenSearchCriteriaConstructor { + + new (): DataSetChildrenSearchCriteria; + } + + /** + */ + interface DataSetConstructor { + + new (): DataSet; + } + + interface DataSetContainerSearchCriteria extends AbstractDataSetSearchCriteria<DataSetContainerSearchCriteria> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + getRelation(): DataSetSearchRelation; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): DataSetContainerSearchCriteria; + + withAnyBooleanProperty(): AnyBooleanPropertySearchCriteria; + + withAnyDateProperty(): AnyDatePropertySearchCriteria; + + withAnyField(): AnyFieldSearchCriteria; + + withAnyNumberProperty(): AnyNumberPropertySearchCriteria; + + withAnyProperty(): AnyPropertySearchCriteria; + + withAnyStringProperty(): AnyStringPropertySearchCriteria; + + withBooleanProperty(arg0: string): BooleanPropertySearchCriteria; + + withCode(): CodeSearchCriteria; + + withCodes(): CodesSearchCriteria; + + withDateProperty(arg0: string): DatePropertySearchCriteria; + + withExperiment(): ExperimentSearchCriteria; + + withId(): IdSearchCriteria<IDataSetId>; + + withLinkedData(): LinkedDataSearchCriteria; + + withModificationDate(): ModificationDateSearchCriteria; + + withModifier(): ModifierSearchCriteria; + + withNumberProperty(arg0: string): NumberPropertySearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): DataSetContainerSearchCriteria; + + withPermId(): PermIdSearchCriteria; + + withPhysicalData(): PhysicalDataSearchCriteria; + + withProperty(arg0: string): StringPropertySearchCriteria; + + withRegistrationDate(): RegistrationDateSearchCriteria; + + withRegistrator(): RegistratorSearchCriteria; + + withSample(): SampleSearchCriteria; + + withSampleProperty(arg0: string): SamplePropertySearchCriteria; + + withStringProperty(arg0: string): StrictlyStringPropertySearchCriteria; + + withTag(): TagSearchCriteria; + + withType(): DataSetTypeSearchCriteria; + + withVocabularyProperty(arg0: string): ControlledVocabularyPropertySearchCriteria; + + withoutExperiment(): DataSetContainerSearchCriteria; + + withoutSample(): DataSetContainerSearchCriteria; + } + + /** + */ + interface DataSetContainerSearchCriteriaConstructor { + + new (): DataSetContainerSearchCriteria; + } + + interface DataSetCreation extends AbstractEntityCreation, ICreation, ICreationIdHolder, IObjectCreation, IPropertiesHolder { + + getBooleanProperty(arg0: string): boolean; + + getChildIds(): IDataSetId[]; + + getCode(): string; + + getComponentIds(): IDataSetId[]; + + getContainerIds(): IDataSetId[]; + + getControlledVocabularyProperty(arg0: string): string; + + getCreationId(): CreationId; + + getDataProducer(): string; + + getDataProductionDate(): number; + + getDataSetKind(): DataSetKind; + + getDataStoreId(): IDataStoreId; + + getExperimentId(): IExperimentId; + + getHyperlinkProperty(arg0: string): string; + + getIntegerArrayProperty(arg0: string): number[]; + + getIntegerProperty(arg0: string): number; + + getJsonProperty(arg0: string): string; + + getLinkedData(): LinkedDataCreation; + + getMetaData(): { [index: string]: string }; + + getMultiValueBooleanProperty(arg0: string): boolean[]; + + getMultiValueControlledVocabularyProperty(arg0: string): string[]; + + getMultiValueHyperlinkProperty(arg0: string): string[]; + + getMultiValueIntegerArrayProperty(arg0: string): number[][]; + + getMultiValueIntegerProperty(arg0: string): number[]; + + getMultiValueJsonProperty(arg0: string): string[]; + + getMultiValueRealArrayProperty(arg0: string): number[][]; + + getMultiValueRealProperty(arg0: string): number[]; + + getMultiValueSampleProperty(arg0: string): SamplePermId[]; + + getMultiValueStringArrayProperty(arg0: string): string[][]; + + getMultiValueStringProperty(arg0: string): string[]; + + getMultiValueTimestampArrayProperty(arg0: string): number[][]; + + getMultiValueTimestampProperty(arg0: string): number[]; + + getMultiValueXmlProperty(arg0: string): string[]; + + getParentIds(): IDataSetId[]; + + getPhysicalData(): PhysicalDataCreation; + + getProperties(): { [index: string]: Serializable }; + + getProperty(arg0: string): Serializable; + + getRealArrayProperty(arg0: string): number[]; + + getRealProperty(arg0: string): number; + + getSampleId(): ISampleId; + + getSampleProperty(arg0: string): SamplePermId; + + getStringArrayProperty(arg0: string): string[]; + + getStringProperty(arg0: string): string; + + getTagIds(): ITagId[]; + + getTimestampArrayProperty(arg0: string): number[]; + + getTimestampProperty(arg0: string): number; + + getTypeId(): IEntityTypeId; + + getXmlProperty(arg0: string): string; + + isAutoGeneratedCode(): boolean; + + isMeasured(): boolean; + + setAutoGeneratedCode(arg0: boolean): void; + + setBooleanProperty(arg0: string, arg1: boolean): void; + + setChildIds(arg0: IDataSetId[]): void; + + setCode(arg0: string): void; + + setComponentIds(arg0: IDataSetId[]): void; + + setContainerIds(arg0: IDataSetId[]): void; + + setControlledVocabularyProperty(arg0: string, arg1: string): void; + + setCreationId(arg0: CreationId): void; + + setDataProducer(arg0: string): void; + + setDataProductionDate(arg0: number): void; + + setDataSetKind(arg0: DataSetKind): void; + + setDataStoreId(arg0: IDataStoreId): void; + + setExperimentId(arg0: IExperimentId): void; + + setHyperlinkProperty(arg0: string, arg1: string): void; + + setIntegerArrayProperty(arg0: string, arg1: number[]): void; + + setIntegerProperty(arg0: string, arg1: number): void; + + setJsonProperty(arg0: string, arg1: string): void; + + setLinkedData(arg0: LinkedDataCreation): void; + + setMeasured(arg0: boolean): void; + + setMetaData(arg0: { [index: string]: string }): void; + + setMultiValueBooleanProperty(arg0: string, arg1: boolean[]): void; + + setMultiValueControlledVocabularyProperty(arg0: string, arg1: string[]): void; + + setMultiValueHyperlinkProperty(arg0: string, arg1: string[]): void; + + setMultiValueIntegerArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueIntegerProperty(arg0: string, arg1: number[]): void; + + setMultiValueJsonProperty(arg0: string, arg1: string[]): void; + + setMultiValueRealArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueRealProperty(arg0: string, arg1: number[]): void; + + setMultiValueSampleProperty(arg0: string, arg1: SamplePermId[]): void; + + setMultiValueStringArrayProperty(arg0: string, arg1: string[][]): void; + + setMultiValueStringProperty(arg0: string, arg1: string[]): void; + + setMultiValueTimestampArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueTimestampProperty(arg0: string, arg1: number[]): void; + + setMultiValueXmlProperty(arg0: string, arg1: string[]): void; + + setParentIds(arg0: IDataSetId[]): void; + + setPhysicalData(arg0: PhysicalDataCreation): void; + + setProperties(arg0: { [index: string]: Serializable }): void; + + setProperty(arg0: string, arg1: Serializable): void; + + setRealArrayProperty(arg0: string, arg1: number[]): void; + + setRealProperty(arg0: string, arg1: number): void; + + setSampleId(arg0: ISampleId): void; + + setSampleProperty(arg0: string, arg1: SamplePermId): void; + + setStringArrayProperty(arg0: string, arg1: string[]): void; + + setStringProperty(arg0: string, arg1: string): void; + + setTagIds(arg0: ITagId[]): void; + + setTimestampArrayProperty(arg0: string, arg1: number[]): void; + + setTimestampProperty(arg0: string, arg1: number): void; + + setTypeId(arg0: IEntityTypeId): void; + + setXmlProperty(arg0: string, arg1: string): void; + } + + /** + */ + interface DataSetCreationConstructor { + + new (): DataSetCreation; + } + + interface DataSetDeletionOptions extends AbstractObjectDeletionOptions<DataSetDeletionOptions> { + + getReason(): string; + + setReason(arg0: string): DataSetDeletionOptions; + } + + /** + */ + interface DataSetDeletionOptionsConstructor { + + new (): DataSetDeletionOptions; + } + + interface DataSetFetchOptions extends AbstractEntityFetchOptions<DataSet>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<DataSet>; + + count(arg0: number): FetchOptions<DataSet>; + + from(arg0: number): FetchOptions<DataSet>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): DataSetSortOptions; + + hasChildren(): boolean; + + hasChildrenHistory(): boolean; + + hasComponents(): boolean; + + hasComponentsHistory(): boolean; + + hasContainers(): boolean; + + hasContainersHistory(): boolean; + + hasContentCopiesHistory(): boolean; + + hasDataStore(): boolean; + + hasExperiment(): boolean; + + hasExperimentHistory(): boolean; + + hasHistory(): boolean; + + hasLinkedData(): boolean; + + hasMaterialProperties(): boolean; + + hasModifier(): boolean; + + hasParents(): boolean; + + hasParentsHistory(): boolean; + + hasPhysicalData(): boolean; + + hasProperties(): boolean; + + hasPropertiesHistory(): boolean; + + hasRegistrator(): boolean; + + hasSample(): boolean; + + hasSampleHistory(): boolean; + + hasSampleProperties(): boolean; + + hasTags(): boolean; + + hasType(): boolean; + + hasUnknownHistory(): boolean; + + sortBy(): DataSetSortOptions; + + withChildren(): DataSetFetchOptions; + + withChildrenHistory(): HistoryEntryFetchOptions; + + withChildrenHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + + withChildrenUsing(arg0: DataSetFetchOptions): DataSetFetchOptions; + + withComponents(): DataSetFetchOptions; + + withComponentsHistory(): HistoryEntryFetchOptions; + + withComponentsHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + + withComponentsUsing(arg0: DataSetFetchOptions): DataSetFetchOptions; + + withContainers(): DataSetFetchOptions; + + withContainersHistory(): HistoryEntryFetchOptions; + + withContainersHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + + withContainersUsing(arg0: DataSetFetchOptions): DataSetFetchOptions; + + withContentCopiesHistory(): HistoryEntryFetchOptions; + + withContentCopiesHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + + withDataStore(): DataStoreFetchOptions; + + withDataStoreUsing(arg0: DataStoreFetchOptions): DataStoreFetchOptions; + + withExperiment(): ExperimentFetchOptions; + + withExperimentHistory(): HistoryEntryFetchOptions; + + withExperimentHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + + withExperimentUsing(arg0: ExperimentFetchOptions): ExperimentFetchOptions; + + withHistory(): HistoryEntryFetchOptions; + + withHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + + withLinkedData(): LinkedDataFetchOptions; + + withLinkedDataUsing(arg0: LinkedDataFetchOptions): LinkedDataFetchOptions; + + withMaterialProperties(): MaterialFetchOptions; + + withMaterialPropertiesUsing(arg0: MaterialFetchOptions): MaterialFetchOptions; + + withModifier(): PersonFetchOptions; + + withModifierUsing(arg0: PersonFetchOptions): PersonFetchOptions; + + withParents(): DataSetFetchOptions; + + withParentsHistory(): HistoryEntryFetchOptions; + + withParentsHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + + withParentsUsing(arg0: DataSetFetchOptions): DataSetFetchOptions; + + withPhysicalData(): PhysicalDataFetchOptions; + + withPhysicalDataUsing(arg0: PhysicalDataFetchOptions): PhysicalDataFetchOptions; + + withProperties(): PropertyFetchOptions; + + withPropertiesHistory(): HistoryEntryFetchOptions; + + withPropertiesHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + + withPropertiesUsing(arg0: PropertyFetchOptions): PropertyFetchOptions; + + withRegistrator(): PersonFetchOptions; + + withRegistratorUsing(arg0: PersonFetchOptions): PersonFetchOptions; + + withSample(): SampleFetchOptions; + + withSampleHistory(): HistoryEntryFetchOptions; + + withSampleHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + + withSampleProperties(): SampleFetchOptions; + + withSamplePropertiesUsing(arg0: SampleFetchOptions): SampleFetchOptions; + + withSampleUsing(arg0: SampleFetchOptions): SampleFetchOptions; + + withTags(): TagFetchOptions; + + withTagsUsing(arg0: TagFetchOptions): TagFetchOptions; + + withType(): DataSetTypeFetchOptions; + + withTypeUsing(arg0: DataSetTypeFetchOptions): DataSetTypeFetchOptions; + + withUnknownHistory(): HistoryEntryFetchOptions; + + withUnknownHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + } + + /** + */ + interface DataSetFetchOptionsConstructor { + + new (): DataSetFetchOptions; + } + + interface DataSetFile extends Serializable { + + getChecksum(): string; + + getChecksumCRC32(): number; + + getChecksumType(): string; + + getDataSetPermId(): DataSetPermId; + + getDataStore(): DataStore; + + getFileLength(): number; + + getPath(): string; + + getPermId(): DataSetFilePermId; + + isDirectory(): boolean; + + setChecksum(arg0: string): void; + + setChecksumCRC32(arg0: number): void; + + setChecksumType(arg0: string): void; + + setDataSetPermId(arg0: DataSetPermId): void; + + setDataStore(arg0: DataStore): void; + + setDirectory(arg0: boolean): void; + + setFileLength(arg0: number): void; + + setPath(arg0: string): void; + + setPermId(arg0: DataSetFilePermId): void; + } + + /** + */ + interface DataSetFileConstructor { + + new (): DataSetFile; + } + + interface DataSetFileCreation extends ICreation { + + getChecksum(): string; + + getChecksumCRC32(): number; + + getChecksumType(): string; + + getFileLength(): number; + + getPath(): string; + + isDirectory(): boolean; + + setChecksum(arg0: string): void; + + setChecksumCRC32(arg0: number): void; + + setChecksumType(arg0: string): void; + + setDirectory(arg0: boolean): void; + + setFileLength(arg0: number): void; + + setPath(arg0: string): void; + } + + /** + */ + interface DataSetFileCreationConstructor { + + new (): DataSetFileCreation; + } + + interface DataSetFileFetchOptions extends FetchOptions<DataSetFile>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<DataSetFile>; + + count(arg0: number): FetchOptions<DataSetFile>; + + from(arg0: number): FetchOptions<DataSetFile>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): DataSetFileSortOptions; + + sortBy(): DataSetFileSortOptions; + } + + /** + */ + interface DataSetFileFetchOptionsConstructor { + + new (): DataSetFileFetchOptions; + } + + interface DataSetFilePermId extends IDataSetFileId { + + getDataSetId(): IDataSetId; + + getFilePath(): string; + + setDataSetId(arg0: IDataSetId): void; + + setFilePath(arg0: string): void; + } + + /** + */ + interface DataSetFilePermIdConstructor { + + new (arg0: IDataSetId): DataSetFilePermId; + + new (arg0: IDataSetId, arg1: string): DataSetFilePermId; + } + + interface DataSetFileSearchCriteria extends AbstractCompositeSearchCriteria { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): DataSetFileSearchCriteria; + + withDataSet(): DataSetSearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): DataSetFileSearchCriteria; + } + + /** + */ + interface DataSetFileSearchCriteriaConstructor { + + new (): DataSetFileSearchCriteria; + } + + interface DataSetFileSortOptions extends SortOptions<DataSetFile> { + + getSortings(): Sorting[]; + } + + /** + */ + interface DataSetFileSortOptionsConstructor { + + new (): DataSetFileSortOptions; + } + + /** + */ + interface DataSetKindObject { + /** + */ + CONTAINER: DataSetKind<> = "CONTAINER"; + /** + */ + LINK: DataSetKind<> = "LINK"; + /** + */ + PHYSICAL: DataSetKind<> = "PHYSICAL"; + } + + interface DataSetLockOptions extends Serializable { + } + + /** + */ + interface DataSetLockOptionsConstructor { + + new (): DataSetLockOptions; + } + + interface DataSetParentsSearchCriteria extends AbstractDataSetSearchCriteria<DataSetParentsSearchCriteria> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + getRelation(): DataSetSearchRelation; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): DataSetParentsSearchCriteria; + + withAnyBooleanProperty(): AnyBooleanPropertySearchCriteria; + + withAnyDateProperty(): AnyDatePropertySearchCriteria; + + withAnyField(): AnyFieldSearchCriteria; + + withAnyNumberProperty(): AnyNumberPropertySearchCriteria; + + withAnyProperty(): AnyPropertySearchCriteria; + + withAnyStringProperty(): AnyStringPropertySearchCriteria; + + withBooleanProperty(arg0: string): BooleanPropertySearchCriteria; + + withCode(): CodeSearchCriteria; + + withCodes(): CodesSearchCriteria; + + withDateProperty(arg0: string): DatePropertySearchCriteria; + + withExperiment(): ExperimentSearchCriteria; + + withId(): IdSearchCriteria<IDataSetId>; + + withLinkedData(): LinkedDataSearchCriteria; + + withModificationDate(): ModificationDateSearchCriteria; + + withModifier(): ModifierSearchCriteria; + + withNumberProperty(arg0: string): NumberPropertySearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): DataSetParentsSearchCriteria; + + withPermId(): PermIdSearchCriteria; + + withPhysicalData(): PhysicalDataSearchCriteria; + + withProperty(arg0: string): StringPropertySearchCriteria; + + withRegistrationDate(): RegistrationDateSearchCriteria; + + withRegistrator(): RegistratorSearchCriteria; + + withSample(): SampleSearchCriteria; + + withSampleProperty(arg0: string): SamplePropertySearchCriteria; + + withStringProperty(arg0: string): StrictlyStringPropertySearchCriteria; + + withTag(): TagSearchCriteria; + + withType(): DataSetTypeSearchCriteria; + + withVocabularyProperty(arg0: string): ControlledVocabularyPropertySearchCriteria; + + withoutExperiment(): DataSetParentsSearchCriteria; + + withoutSample(): DataSetParentsSearchCriteria; + } + + /** + */ + interface DataSetParentsSearchCriteriaConstructor { + + new (): DataSetParentsSearchCriteria; + } + + interface DataSetPermId extends ObjectPermId, IDataSetId { + + getPermId(): string; + } + + /** + */ + interface DataSetPermIdConstructor { + + new (arg0: string): DataSetPermId; + } + + /** + */ + interface DataSetRelationTypeObject { + /** + */ + CHILD: DataSetRelationType<> = "CHILD"; + /** + */ + COMPONENT: DataSetRelationType<> = "COMPONENT"; + /** + */ + CONTAINER: DataSetRelationType<> = "CONTAINER"; + /** + */ + EXPERIMENT: DataSetRelationType<> = "EXPERIMENT"; + /** + */ + PARENT: DataSetRelationType<> = "PARENT"; + /** + */ + SAMPLE: DataSetRelationType<> = "SAMPLE"; + } + + interface DataSetSearchCriteria extends AbstractDataSetSearchCriteria<DataSetSearchCriteria> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + getRelation(): DataSetSearchRelation; + + isNegated(): boolean; + + negate(): DataSetSearchCriteria; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): DataSetSearchCriteria; + + withAnyBooleanProperty(): AnyBooleanPropertySearchCriteria; + + withAnyDateProperty(): AnyDatePropertySearchCriteria; + + withAnyField(): AnyFieldSearchCriteria; + + withAnyNumberProperty(): AnyNumberPropertySearchCriteria; + + withAnyProperty(): AnyPropertySearchCriteria; + + withAnyStringProperty(): AnyStringPropertySearchCriteria; + + withBooleanProperty(arg0: string): BooleanPropertySearchCriteria; + + withChildren(): DataSetChildrenSearchCriteria; + + withCode(): CodeSearchCriteria; + + withCodes(): CodesSearchCriteria; + + withContainer(): DataSetContainerSearchCriteria; + + withDateProperty(arg0: string): DatePropertySearchCriteria; + + withExperiment(): ExperimentSearchCriteria; + + withId(): IdSearchCriteria<IDataSetId>; + + withLinkedData(): LinkedDataSearchCriteria; + + withModificationDate(): ModificationDateSearchCriteria; + + withModifier(): ModifierSearchCriteria; + + withNumberProperty(arg0: string): NumberPropertySearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): DataSetSearchCriteria; + + withParents(): DataSetParentsSearchCriteria; + + withPermId(): PermIdSearchCriteria; + + withPhysicalData(): PhysicalDataSearchCriteria; + + withProperty(arg0: string): StringPropertySearchCriteria; + + withRegistrationDate(): RegistrationDateSearchCriteria; + + withRegistrator(): RegistratorSearchCriteria; + + withSample(): SampleSearchCriteria; + + withSampleProperty(arg0: string): SamplePropertySearchCriteria; + + withStringProperty(arg0: string): StrictlyStringPropertySearchCriteria; + + withSubcriteria(): DataSetSearchCriteria; + + withTag(): TagSearchCriteria; + + withTextAttribute(): TextAttributeSearchCriteria; + + withType(): DataSetTypeSearchCriteria; + + withVocabularyProperty(arg0: string): ControlledVocabularyPropertySearchCriteria; + + withoutExperiment(): DataSetSearchCriteria; + + withoutSample(): DataSetSearchCriteria; + } + + /** + */ + interface DataSetSearchCriteriaConstructor { + + new (): DataSetSearchCriteria; + } + + /** + */ + interface DataSetSearchRelationObject { + /** + */ + CHILDREN: DataSetSearchRelation<> = "CHILDREN"; + /** + */ + CONTAINER: DataSetSearchRelation<> = "CONTAINER"; + /** + */ + DATASET: DataSetSearchRelation<> = "DATASET"; + /** + */ + PARENTS: DataSetSearchRelation<> = "PARENTS"; + } + + interface DataSetSortOptions extends EntityWithPropertiesSortOptions<DataSet> { + + code(): SortOrder; + + fetchedFieldsScore(): SortOrder; + + getCode(): SortOrder; + + getFetchedFieldsScore(): SortOrder; + + getModificationDate(): SortOrder; + + getPermId(): SortOrder; + + getProperty(arg0: string): SortOrder; + + getRegistrationDate(): SortOrder; + + getSortings(): Sorting[]; + + getType(): SortOrder; + + modificationDate(): SortOrder; + + permId(): SortOrder; + + property(arg0: string): SortOrder; + + registrationDate(): SortOrder; + + stringMatchAnyPropertyScore(arg0: string): SortOrder; + + stringMatchPropertyScore(arg0: string, arg1: string): SortOrder; + + stringPrefixMatchAnyPropertyScore(arg0: string): SortOrder; + + stringPrefixMatchPropertyScore(arg0: string, arg1: string): SortOrder; + + type(): SortOrder; + } + + /** + */ + interface DataSetSortOptionsConstructor { + + new (): DataSetSortOptions; + } + + interface DataSetType extends Serializable, ICodeHolder, IDescriptionHolder, IEntityType, IModificationDateHolder, IPermIdHolder, IPropertyAssignmentsHolder { + + getCode(): string; + + getDescription(): string; + + getFetchOptions(): DataSetTypeFetchOptions; + + getMainDataSetPath(): string; + + getMainDataSetPattern(): string; + + getMetaData(): { [index: string]: string }; + + getModificationDate(): number; + + getPermId(): EntityTypePermId; + + getPropertyAssignments(): PropertyAssignment[]; + + getValidationPlugin(): Plugin; + + isDisallowDeletion(): boolean; + + setCode(arg0: string): void; + + setDescription(arg0: string): void; + + setDisallowDeletion(arg0: boolean): void; + + setFetchOptions(arg0: DataSetTypeFetchOptions): void; + + setMainDataSetPath(arg0: string): void; + + setMainDataSetPattern(arg0: string): void; + + setMetaData(arg0: { [index: string]: string }): void; + + setModificationDate(arg0: number): void; + + setPermId(arg0: EntityTypePermId): void; + + setPropertyAssignments(arg0: PropertyAssignment[]): void; + + setValidationPlugin(arg0: Plugin): void; + } + + /** + */ + interface DataSetTypeConstructor { + + new (): DataSetType; + } + + interface DataSetTypeCreation extends IEntityTypeCreation { + + getCode(): string; + + getDescription(): string; + + getMainDataSetPath(): string; + + getMainDataSetPattern(): string; + + getMetaData(): { [index: string]: string }; + + getPropertyAssignments(): PropertyAssignmentCreation[]; + + getValidationPluginId(): IPluginId; + + isDisallowDeletion(): boolean; + + setCode(arg0: string): void; + + setDescription(arg0: string): void; + + setDisallowDeletion(arg0: boolean): void; + + setMainDataSetPath(arg0: string): void; + + setMainDataSetPattern(arg0: string): void; + + setMetaData(arg0: { [index: string]: string }): void; + + setPropertyAssignments(arg0: PropertyAssignmentCreation[]): void; + + setValidationPluginId(arg0: IPluginId): void; + } + + /** + */ + interface DataSetTypeCreationConstructor { + + new (): DataSetTypeCreation; + } + + interface DataSetTypeDeletionOptions extends AbstractObjectDeletionOptions<DataSetTypeDeletionOptions> { + + getReason(): string; + + setReason(arg0: string): DataSetTypeDeletionOptions; + } + + /** + */ + interface DataSetTypeDeletionOptionsConstructor { + + new (): DataSetTypeDeletionOptions; + } + + interface DataSetTypeFetchOptions extends FetchOptions<DataSetType>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<DataSetType>; + + count(arg0: number): FetchOptions<DataSetType>; + + from(arg0: number): FetchOptions<DataSetType>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): DataSetTypeSortOptions; + + hasPropertyAssignments(): boolean; + + hasValidationPlugin(): boolean; + + sortBy(): DataSetTypeSortOptions; + + withPropertyAssignments(): PropertyAssignmentFetchOptions; + + withPropertyAssignmentsUsing(arg0: PropertyAssignmentFetchOptions): PropertyAssignmentFetchOptions; + + withValidationPlugin(): PluginFetchOptions; + + withValidationPluginUsing(arg0: PluginFetchOptions): PluginFetchOptions; + } + + /** + */ + interface DataSetTypeFetchOptionsConstructor { + + new (): DataSetTypeFetchOptions; + } + + interface DataSetTypeSearchCriteria extends AbstractEntityTypeSearchCriteria { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): DataSetTypeSearchCriteria; + + withCode(): CodeSearchCriteria; + + withCodes(): CodesSearchCriteria; + + withId(): IdSearchCriteria<IEntityTypeId>; + + withIds(): IdsSearchCriteria<IEntityTypeId>; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): DataSetTypeSearchCriteria; + + withPermId(): PermIdSearchCriteria; + + withPropertyAssignments(): PropertyAssignmentSearchCriteria; + } + + /** + */ + interface DataSetTypeSearchCriteriaConstructor { + + new (): DataSetTypeSearchCriteria; + } + + interface DataSetTypeSortOptions extends SortOptions<DataSetType> { + + getSortings(): Sorting[]; + } + + /** + */ + interface DataSetTypeSortOptionsConstructor { + + new (): DataSetTypeSortOptions; + } + + interface DataSetTypeUpdate extends IEntityTypeUpdate, IMetaDataUpdateHolder { + + getDescription(): FieldUpdateValue<string>; + + getMainDataSetPath(): FieldUpdateValue<string>; + + getMainDataSetPattern(): FieldUpdateValue<string>; + + getMetaData(): ListUpdateMapValues; + + getObjectId(): IEntityTypeId; + + getPropertyAssignments(): PropertyAssignmentListUpdateValue; + + getTypeId(): IEntityTypeId; + + getValidationPluginId(): FieldUpdateValue<IPluginId>; + + isDisallowDeletion(): FieldUpdateValue<boolean>; + + setDescription(arg0: string): void; + + setDisallowDeletion(arg0: boolean): void; + + setMainDataSetPath(arg0: string): void; + + setMainDataSetPattern(arg0: string): void; + + setMetaDataActions(arg0: ListUpdateAction<any>[]): void; + + setPropertyAssignmentActions(arg0: ListUpdateAction<any>[]): void; + + setTypeId(arg0: IEntityTypeId): void; + + setValidationPluginId(arg0: IPluginId): void; + } + + /** + */ + interface DataSetTypeUpdateConstructor { + + new (): DataSetTypeUpdate; + } + + interface DataSetUnarchiveOptions extends Serializable { + } + + /** + */ + interface DataSetUnarchiveOptionsConstructor { + + new (): DataSetUnarchiveOptions; + } + + interface DataSetUnlockOptions extends Serializable { + } + + /** + */ + interface DataSetUnlockOptionsConstructor { + + new (): DataSetUnlockOptions; + } + + interface DataSetUpdate extends AbstractEntityUpdate, IUpdate, IObjectUpdate<IDataSetId>, IPropertiesHolder, IMetaDataUpdateHolder { + + freeze(): void; + + freezeForChildren(): void; + + freezeForComponents(): void; + + freezeForContainers(): void; + + freezeForParents(): void; + + getBooleanProperty(arg0: string): boolean; + + getChildIds(): IdListUpdateValue<IDataSetId>; + + getComponentIds(): IdListUpdateValue<IDataSetId>; + + getContainerIds(): IdListUpdateValue<IDataSetId>; + + getControlledVocabularyProperty(arg0: string): string; + + getDataSetId(): IDataSetId; + + getExperimentId(): FieldUpdateValue<IExperimentId>; + + getHyperlinkProperty(arg0: string): string; + + getIntegerArrayProperty(arg0: string): number[]; + + getIntegerProperty(arg0: string): number; + + getJsonProperty(arg0: string): string; + + getLinkedData(): FieldUpdateValue<LinkedDataUpdate>; + + getMetaData(): ListUpdateMapValues; + + getMultiValueBooleanProperty(arg0: string): boolean[]; + + getMultiValueControlledVocabularyProperty(arg0: string): string[]; + + getMultiValueHyperlinkProperty(arg0: string): string[]; + + getMultiValueIntegerArrayProperty(arg0: string): number[][]; + + getMultiValueIntegerProperty(arg0: string): number[]; + + getMultiValueJsonProperty(arg0: string): string[]; + + getMultiValueRealArrayProperty(arg0: string): number[][]; + + getMultiValueRealProperty(arg0: string): number[]; + + getMultiValueSampleProperty(arg0: string): SamplePermId[]; + + getMultiValueStringArrayProperty(arg0: string): string[][]; + + getMultiValueStringProperty(arg0: string): string[]; + + getMultiValueTimestampArrayProperty(arg0: string): number[][]; + + getMultiValueTimestampProperty(arg0: string): number[]; + + getMultiValueXmlProperty(arg0: string): string[]; + + getObjectId(): IDataSetId; + + getParentIds(): IdListUpdateValue<IDataSetId>; + + getPhysicalData(): FieldUpdateValue<PhysicalDataUpdate>; + + getProperties(): { [index: string]: Serializable }; + + getProperty(arg0: string): Serializable; + + getRealArrayProperty(arg0: string): number[]; + + getRealProperty(arg0: string): number; + + getSampleId(): FieldUpdateValue<ISampleId>; + + getSampleProperty(arg0: string): SamplePermId; + + getStringArrayProperty(arg0: string): string[]; + + getStringProperty(arg0: string): string; + + getTagIds(): IdListUpdateValue<ITagId>; + + getTimestampArrayProperty(arg0: string): number[]; + + getTimestampProperty(arg0: string): number; + + getXmlProperty(arg0: string): string; + + setBooleanProperty(arg0: string, arg1: boolean): void; + + setChildActions(arg0: ListUpdateAction<IDataSetId>[]): void; + + setComponentActions(arg0: ListUpdateAction<IDataSetId>[]): void; + + setContainerActions(arg0: ListUpdateAction<IDataSetId>[]): void; + + setControlledVocabularyProperty(arg0: string, arg1: string): void; + + setDataSetId(arg0: IDataSetId): void; + + setExperimentId(arg0: IExperimentId): void; + + setHyperlinkProperty(arg0: string, arg1: string): void; + + setIntegerArrayProperty(arg0: string, arg1: number[]): void; + + setIntegerProperty(arg0: string, arg1: number): void; + + setJsonProperty(arg0: string, arg1: string): void; + + setLinkedData(arg0: LinkedDataUpdate): void; + + setMetaDataActions(arg0: ListUpdateAction<any>[]): void; + + setMultiValueBooleanProperty(arg0: string, arg1: boolean[]): void; + + setMultiValueControlledVocabularyProperty(arg0: string, arg1: string[]): void; + + setMultiValueHyperlinkProperty(arg0: string, arg1: string[]): void; + + setMultiValueIntegerArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueIntegerProperty(arg0: string, arg1: number[]): void; + + setMultiValueJsonProperty(arg0: string, arg1: string[]): void; + + setMultiValueRealArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueRealProperty(arg0: string, arg1: number[]): void; + + setMultiValueSampleProperty(arg0: string, arg1: SamplePermId[]): void; + + setMultiValueStringArrayProperty(arg0: string, arg1: string[][]): void; + + setMultiValueStringProperty(arg0: string, arg1: string[]): void; + + setMultiValueTimestampArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueTimestampProperty(arg0: string, arg1: number[]): void; + + setMultiValueXmlProperty(arg0: string, arg1: string[]): void; + + setParentActions(arg0: ListUpdateAction<IDataSetId>[]): void; + + setPhysicalData(arg0: PhysicalDataUpdate): void; + + setProperties(arg0: { [index: string]: Serializable }): void; + + setProperty(arg0: string, arg1: Serializable): void; + + setRealArrayProperty(arg0: string, arg1: number[]): void; + + setRealProperty(arg0: string, arg1: number): void; + + setSampleId(arg0: ISampleId): void; + + setSampleProperty(arg0: string, arg1: SamplePermId): void; + + setStringArrayProperty(arg0: string, arg1: string[]): void; + + setStringProperty(arg0: string, arg1: string): void; + + setTagActions(arg0: ListUpdateAction<ITagId>[]): void; + + setTimestampArrayProperty(arg0: string, arg1: number[]): void; + + setTimestampProperty(arg0: string, arg1: number): void; + + setXmlProperty(arg0: string, arg1: string): void; + + shouldBeFrozen(): boolean; + + shouldBeFrozenForChildren(): boolean; + + shouldBeFrozenForComponents(): boolean; + + shouldBeFrozenForContainers(): boolean; + + shouldBeFrozenForParents(): boolean; + } + + /** + */ + interface DataSetUpdateConstructor { + + new (): DataSetUpdate; + } + + interface DataStore extends Serializable, ICodeHolder, IModificationDateHolder, IRegistrationDateHolder { + + getCode(): string; + + getDownloadUrl(): string; + + getFetchOptions(): DataStoreFetchOptions; + + getModificationDate(): number; + + getRegistrationDate(): number; + + getRemoteUrl(): string; + + setCode(arg0: string): void; + + setDownloadUrl(arg0: string): void; + + setFetchOptions(arg0: DataStoreFetchOptions): void; + + setModificationDate(arg0: number): void; + + setRegistrationDate(arg0: number): void; + + setRemoteUrl(arg0: string): void; + } + + /** + */ + interface DataStoreConstructor { + + new (): DataStore; + } + + interface DataStoreFetchOptions extends FetchOptions<DataStore>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<DataStore>; + + count(arg0: number): FetchOptions<DataStore>; + + from(arg0: number): FetchOptions<DataStore>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): DataStoreSortOptions; + + sortBy(): DataStoreSortOptions; + } + + /** + */ + interface DataStoreFetchOptionsConstructor { + + new (): DataStoreFetchOptions; + } + + interface DataStorePermId extends ObjectPermId, IDataStoreId { + + getPermId(): string; + } + + /** + */ + interface DataStorePermIdConstructor { + + new (arg0: string): DataStorePermId; + } + + interface DataStoreSearchCriteria extends AbstractObjectSearchCriteria<IDataStoreId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): DataStoreSearchCriteria; + + withCode(): CodeSearchCriteria; + + withCodes(): CodesSearchCriteria; + + withId(): IdSearchCriteria<IDataStoreId>; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): DataStoreSearchCriteria; + + withPermId(): PermIdSearchCriteria; + } + + /** + */ + interface DataStoreSearchCriteriaConstructor { + + new (): DataStoreSearchCriteria; + } + + interface DataStoreSortOptions extends SortOptions<DataStore> { + + getSortings(): Sorting[]; + } + + /** + */ + interface DataStoreSortOptionsConstructor { + + new (): DataStoreSortOptions; + } + + /** + */ + interface DataTypeObject { + /** + */ + ARRAY_INTEGER: DataType<> = "ARRAY_INTEGER"; + /** + */ + ARRAY_REAL: DataType<> = "ARRAY_REAL"; + /** + */ + ARRAY_STRING: DataType<> = "ARRAY_STRING"; + /** + */ + ARRAY_TIMESTAMP: DataType<> = "ARRAY_TIMESTAMP"; + /** + */ + BOOLEAN: DataType<> = "BOOLEAN"; + /** + */ + CONTROLLEDVOCABULARY: DataType<> = "CONTROLLEDVOCABULARY"; + /** + */ + DATE: DataType<> = "DATE"; + /** + */ + HYPERLINK: DataType<> = "HYPERLINK"; + /** + */ + INTEGER: DataType<> = "INTEGER"; + /** + */ + JSON: DataType<> = "JSON"; + /** + */ + MATERIAL: DataType<> = "MATERIAL"; + /** + */ + MULTILINE_VARCHAR: DataType<> = "MULTILINE_VARCHAR"; + /** + */ + REAL: DataType<> = "REAL"; + /** + */ + SAMPLE: DataType<> = "SAMPLE"; + /** + */ + TIMESTAMP: DataType<> = "TIMESTAMP"; + /** + */ + VARCHAR: DataType<> = "VARCHAR"; + /** + */ + XML: DataType<> = "XML"; + } + + interface DatabaseIdSearchCriteria extends IdSearchCriteria<IQueryDatabaseId> { + + getId(): IQueryDatabaseId; + + isNegated(): boolean; + + thatEquals(arg0: IQueryDatabaseId): void; + } + + /** + */ + interface DatabaseIdSearchCriteriaConstructor { + + new (): DatabaseIdSearchCriteria; + } + + interface DateEarlierThanOrEqualToValue extends AbstractDateValue { + } + + /** + */ + interface DateEarlierThanOrEqualToValueConstructor { + + new (arg0: string): DateEarlierThanOrEqualToValue; + } + + interface DateEarlierThanValue extends AbstractDateValue { + } + + /** + */ + interface DateEarlierThanValueConstructor { + + new (arg0: string): DateEarlierThanValue; + } + + interface DateEqualToValue extends AbstractDateValue { + } + + /** + */ + interface DateEqualToValueConstructor { + + new (arg0: string): DateEqualToValue; + } + + interface DateFieldSearchCriteria extends AbstractFieldSearchCriteria<IDate> { + + formatValue(arg0: string, arg1: IDateFormat): number; + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): IDate; + + getTimeZone(): ITimeZone; + + isNegated(): boolean; + + setFieldValue(arg0: IDate): void; + + setTimeZone(arg0: ITimeZone): void; + + thatEquals(arg0: number): void; + + thatEquals(arg0: string): void; + + thatIsEarlierThan(arg0: number): void; + + thatIsEarlierThan(arg0: string): void; + + thatIsEarlierThanOrEqualTo(arg0: number): void; + + thatIsEarlierThanOrEqualTo(arg0: string): void; + + thatIsLaterThan(arg0: number): void; + + thatIsLaterThan(arg0: string): void; + + thatIsLaterThanOrEqualTo(arg0: number): void; + + thatIsLaterThanOrEqualTo(arg0: string): void; + + withServerTimeZone(): DateFieldSearchCriteria; + + withTimeZone(arg0: number): DateFieldSearchCriteria; + } + + interface DateLaterThanOrEqualToValue extends AbstractDateValue { + } + + /** + */ + interface DateLaterThanOrEqualToValueConstructor { + + new (arg0: string): DateLaterThanOrEqualToValue; + } + + interface DateLaterThanValue extends AbstractDateValue { + } + + /** + */ + interface DateLaterThanValueConstructor { + + new (arg0: string): DateLaterThanValue; + } + + interface DateObjectEarlierThanOrEqualToValue extends AbstractDateObjectValue { + } + + /** + */ + interface DateObjectEarlierThanOrEqualToValueConstructor { + + new (arg0: number): DateObjectEarlierThanOrEqualToValue; + } + + interface DateObjectEarlierThanValue extends AbstractDateObjectValue { + } + + /** + */ + interface DateObjectEarlierThanValueConstructor { + + new (arg0: number): DateObjectEarlierThanValue; + } + + interface DateObjectEqualToValue extends AbstractDateObjectValue { + } + + /** + */ + interface DateObjectEqualToValueConstructor { + + new (arg0: number): DateObjectEqualToValue; + } + + interface DateObjectLaterThanOrEqualToValue extends AbstractDateObjectValue { + } + + /** + */ + interface DateObjectLaterThanOrEqualToValueConstructor { + + new (arg0: number): DateObjectLaterThanOrEqualToValue; + } + + interface DateObjectLaterThanValue extends AbstractDateObjectValue { + } + + /** + */ + interface DateObjectLaterThanValueConstructor { + + new (arg0: number): DateObjectLaterThanValue; + } + + interface DatePropertySearchCriteria extends DateFieldSearchCriteria { + + formatValue(arg0: string, arg1: IDateFormat): number; + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): IDate; + + getTimeZone(): ITimeZone; + + isNegated(): boolean; + + setFieldValue(arg0: IDate): void; + + setTimeZone(arg0: ITimeZone): void; + + thatEquals(arg0: number): void; + + thatEquals(arg0: string): void; + + thatIsEarlierThan(arg0: number): void; + + thatIsEarlierThan(arg0: string): void; + + thatIsEarlierThanOrEqualTo(arg0: number): void; + + thatIsEarlierThanOrEqualTo(arg0: string): void; + + thatIsLaterThan(arg0: number): void; + + thatIsLaterThan(arg0: string): void; + + thatIsLaterThanOrEqualTo(arg0: number): void; + + thatIsLaterThanOrEqualTo(arg0: string): void; + + withServerTimeZone(): DateFieldSearchCriteria; + + withTimeZone(arg0: number): DateFieldSearchCriteria; + } + + interface DeleteAuthorizationGroupsOperation extends DeleteObjectsOperation<IAuthorizationGroupId, AuthorizationGroupDeletionOptions> { + + getMessage(): string; + + getObjectIds(): IAuthorizationGroupId[]; + + getOptions(): AuthorizationGroupDeletionOptions; + } + + /** + */ + interface DeleteAuthorizationGroupsOperationConstructor { + + new (arg0: IAuthorizationGroupId[], arg1: AuthorizationGroupDeletionOptions): DeleteAuthorizationGroupsOperation; + } + + interface DeleteAuthorizationGroupsOperationResult extends DeleteObjectsWithoutTrashOperationResult { + + getMessage(): string; + } + + /** + */ + interface DeleteAuthorizationGroupsOperationResultConstructor { + + new (): DeleteAuthorizationGroupsOperationResult; + } + + interface DeleteDataSetTypesOperation extends DeleteObjectsOperation<IEntityTypeId, DataSetTypeDeletionOptions> { + + getMessage(): string; + + getObjectIds(): IEntityTypeId[]; + + getOptions(): DataSetTypeDeletionOptions; + } + + /** + */ + interface DeleteDataSetTypesOperationConstructor { + + new (arg0: IEntityTypeId[], arg1: DataSetTypeDeletionOptions): DeleteDataSetTypesOperation; + } + + interface DeleteDataSetTypesOperationResult extends DeleteObjectsWithoutTrashOperationResult { + + getMessage(): string; + } + + /** + */ + interface DeleteDataSetTypesOperationResultConstructor { + + new (): DeleteDataSetTypesOperationResult; + } + + interface DeleteDataSetsOperation extends DeleteObjectsOperation<IDataSetId, DataSetDeletionOptions> { + + getMessage(): string; + + getObjectIds(): IDataSetId[]; + + getOptions(): DataSetDeletionOptions; + } + + /** + */ + interface DeleteDataSetsOperationConstructor { + + new (arg0: IDataSetId[], arg1: DataSetDeletionOptions): DeleteDataSetsOperation; + } + + interface DeleteDataSetsOperationResult extends DeleteObjectsWithTrashOperationResult { + + getDeletionId(): IDeletionId; + + getMessage(): string; + } + + /** + */ + interface DeleteDataSetsOperationResultConstructor { + + new (arg0: IDeletionId): DeleteDataSetsOperationResult; + } + + interface DeleteExperimentTypesOperation extends DeleteObjectsOperation<IEntityTypeId, ExperimentTypeDeletionOptions> { + + getMessage(): string; + + getObjectIds(): IEntityTypeId[]; + + getOptions(): ExperimentTypeDeletionOptions; + } + + /** + */ + interface DeleteExperimentTypesOperationConstructor { + + new (arg0: IEntityTypeId[], arg1: ExperimentTypeDeletionOptions): DeleteExperimentTypesOperation; + } + + interface DeleteExperimentTypesOperationResult extends DeleteObjectsWithoutTrashOperationResult { + + getMessage(): string; + } + + /** + */ + interface DeleteExperimentTypesOperationResultConstructor { + + new (): DeleteExperimentTypesOperationResult; + } + + interface DeleteExperimentsOperation extends DeleteObjectsOperation<IExperimentId, ExperimentDeletionOptions> { + + getMessage(): string; + + getObjectIds(): IExperimentId[]; + + getOptions(): ExperimentDeletionOptions; + } + + /** + */ + interface DeleteExperimentsOperationConstructor { + + new (arg0: IExperimentId[], arg1: ExperimentDeletionOptions): DeleteExperimentsOperation; + } + + interface DeleteExperimentsOperationResult extends DeleteObjectsWithTrashOperationResult { + + getDeletionId(): IDeletionId; + + getMessage(): string; + } + + /** + */ + interface DeleteExperimentsOperationResultConstructor { + + new (arg0: IDeletionId): DeleteExperimentsOperationResult; + } + + interface DeleteExternalDmsOperation extends DeleteObjectsOperation<IExternalDmsId, ExternalDmsDeletionOptions> { + + getMessage(): string; + + getObjectIds(): IExternalDmsId[]; + + getOptions(): ExternalDmsDeletionOptions; + } + + /** + */ + interface DeleteExternalDmsOperationConstructor { + + new (arg0: IExternalDmsId[], arg1: ExternalDmsDeletionOptions): DeleteExternalDmsOperation; + } + + interface DeleteExternalDmsOperationResult extends DeleteObjectsWithoutTrashOperationResult { + + getMessage(): string; + } + + /** + */ + interface DeleteExternalDmsOperationResultConstructor { + + new (): DeleteExternalDmsOperationResult; + } + + interface DeleteMaterialTypesOperation extends DeleteObjectsOperation<IEntityTypeId, MaterialTypeDeletionOptions> { + + getMessage(): string; + + getObjectIds(): IEntityTypeId[]; + + getOptions(): MaterialTypeDeletionOptions; + } + + /** + */ + interface DeleteMaterialTypesOperationConstructor { + + new (arg0: IEntityTypeId[], arg1: MaterialTypeDeletionOptions): DeleteMaterialTypesOperation; + } + + interface DeleteMaterialTypesOperationResult extends DeleteObjectsWithoutTrashOperationResult { + + getMessage(): string; + } + + /** + */ + interface DeleteMaterialTypesOperationResultConstructor { + + new (): DeleteMaterialTypesOperationResult; + } + + interface DeleteMaterialsOperation extends DeleteObjectsOperation<IMaterialId, MaterialDeletionOptions> { + + getMessage(): string; + + getObjectIds(): IMaterialId[]; + + getOptions(): MaterialDeletionOptions; + } + + /** + */ + interface DeleteMaterialsOperationConstructor { + + new (arg0: IMaterialId[], arg1: MaterialDeletionOptions): DeleteMaterialsOperation; + } + + interface DeleteMaterialsOperationResult extends DeleteObjectsWithoutTrashOperationResult { + + getMessage(): string; + } + + /** + */ + interface DeleteMaterialsOperationResultConstructor { + + new (): DeleteMaterialsOperationResult; + } + + interface DeleteObjectsOperation<ID extends IObjectId, OPTIONS extends AbstractObjectDeletionOptions<OPTIONS>> extends IOperation { + + getMessage(): string; + + getObjectIds(): ID[]; + + getOptions(): OPTIONS; + } + + /** + */ + interface DeleteObjectsOperationConstructor { + + new <ID extends IObjectId, OPTIONS extends AbstractObjectDeletionOptions<OPTIONS>>(arg0: ID[], arg1: OPTIONS): DeleteObjectsOperation<ID, OPTIONS>; + } + + interface DeleteObjectsOperationResult extends as_dto_common_operation_IOperationResult { + + getMessage(): string; + } + + /** + */ + interface DeleteObjectsOperationResultConstructor { + + new (): DeleteObjectsOperationResult; + } + + interface DeleteObjectsWithTrashOperationResult extends DeleteObjectsOperationResult { + + getDeletionId(): IDeletionId; + + getMessage(): string; + } + + /** + */ + interface DeleteObjectsWithTrashOperationResultConstructor { + + new (arg0: IDeletionId): DeleteObjectsWithTrashOperationResult; + } + + interface DeleteObjectsWithoutTrashOperationResult extends DeleteObjectsOperationResult { + + getMessage(): string; + } + + /** + */ + interface DeleteObjectsWithoutTrashOperationResultConstructor { + + new (): DeleteObjectsWithoutTrashOperationResult; + } + + interface DeleteOperationExecutionsOperation extends DeleteObjectsOperation<IOperationExecutionId, OperationExecutionDeletionOptions> { + + getMessage(): string; + + getObjectIds(): IOperationExecutionId[]; + + getOptions(): OperationExecutionDeletionOptions; + } + + /** + */ + interface DeleteOperationExecutionsOperationConstructor { + + new (arg0: IOperationExecutionId[], arg1: OperationExecutionDeletionOptions): DeleteOperationExecutionsOperation; + } + + interface DeleteOperationExecutionsOperationResult extends DeleteObjectsWithoutTrashOperationResult { + + getMessage(): string; + } + + /** + */ + interface DeleteOperationExecutionsOperationResultConstructor { + + new (): DeleteOperationExecutionsOperationResult; + } + + interface DeletePersonalAccessTokensOperation extends DeleteObjectsOperation<IPersonalAccessTokenId, PersonalAccessTokenDeletionOptions> { + + getMessage(): string; + + getObjectIds(): IPersonalAccessTokenId[]; + + getOptions(): PersonalAccessTokenDeletionOptions; + } + + /** + */ + interface DeletePersonalAccessTokensOperationConstructor { + + new (arg0: IPersonalAccessTokenId[], arg1: PersonalAccessTokenDeletionOptions): DeletePersonalAccessTokensOperation; + } + + interface DeletePersonalAccessTokensOperationResult extends DeleteObjectsWithoutTrashOperationResult { + + getMessage(): string; + } + + /** + */ + interface DeletePersonalAccessTokensOperationResultConstructor { + + new (): DeletePersonalAccessTokensOperationResult; + } + + interface DeletePersonsOperation extends DeleteObjectsOperation<IPersonId, PersonDeletionOptions> { + + getMessage(): string; + + getObjectIds(): IPersonId[]; + + getOptions(): PersonDeletionOptions; + } + + /** + */ + interface DeletePersonsOperationConstructor { + + new (arg0: IPersonId[], arg1: PersonDeletionOptions): DeletePersonsOperation; + } + + interface DeletePersonsOperationResult extends DeleteObjectsWithoutTrashOperationResult { + + getMessage(): string; + } + + /** + */ + interface DeletePersonsOperationResultConstructor { + + new (): DeletePersonsOperationResult; + } + + interface DeletePluginsOperation extends DeleteObjectsOperation<IPluginId, PluginDeletionOptions> { + + getMessage(): string; + + getObjectIds(): IPluginId[]; + + getOptions(): PluginDeletionOptions; + } + + /** + */ + interface DeletePluginsOperationConstructor { + + new (arg0: IPluginId[], arg1: PluginDeletionOptions): DeletePluginsOperation; + } + + interface DeletePluginsOperationResult extends DeleteObjectsWithoutTrashOperationResult { + + getMessage(): string; + } + + /** + */ + interface DeletePluginsOperationResultConstructor { + + new (): DeletePluginsOperationResult; + } + + interface DeleteProjectsOperation extends DeleteObjectsOperation<IProjectId, ProjectDeletionOptions> { + + getMessage(): string; + + getObjectIds(): IProjectId[]; + + getOptions(): ProjectDeletionOptions; + } + + /** + */ + interface DeleteProjectsOperationConstructor { + + new (arg0: IProjectId[], arg1: ProjectDeletionOptions): DeleteProjectsOperation; + } + + interface DeleteProjectsOperationResult extends DeleteObjectsWithoutTrashOperationResult { + + getMessage(): string; + } + + /** + */ + interface DeleteProjectsOperationResultConstructor { + + new (): DeleteProjectsOperationResult; + } + + interface DeletePropertyTypesOperation extends DeleteObjectsOperation<IPropertyTypeId, PropertyTypeDeletionOptions> { + + getMessage(): string; + + getObjectIds(): IPropertyTypeId[]; + + getOptions(): PropertyTypeDeletionOptions; + } + + /** + */ + interface DeletePropertyTypesOperationConstructor { + + new (arg0: IPropertyTypeId[], arg1: PropertyTypeDeletionOptions): DeletePropertyTypesOperation; + } + + interface DeletePropertyTypesOperationResult extends DeleteObjectsWithoutTrashOperationResult { + + getMessage(): string; + } + + /** + */ + interface DeletePropertyTypesOperationResultConstructor { + + new (): DeletePropertyTypesOperationResult; + } + + interface DeleteQueriesOperation extends DeleteObjectsOperation<IQueryId, QueryDeletionOptions> { + + getMessage(): string; + + getObjectIds(): IQueryId[]; + + getOptions(): QueryDeletionOptions; + } + + /** + */ + interface DeleteQueriesOperationConstructor { + + new (arg0: IQueryId[], arg1: QueryDeletionOptions): DeleteQueriesOperation; + } + + interface DeleteQueriesOperationResult extends DeleteObjectsWithoutTrashOperationResult { + + getMessage(): string; + } + + /** + */ + interface DeleteQueriesOperationResultConstructor { + + new (): DeleteQueriesOperationResult; + } + + interface DeleteRoleAssignmentsOperation extends DeleteObjectsOperation<IRoleAssignmentId, RoleAssignmentDeletionOptions> { + + getMessage(): string; + + getObjectIds(): IRoleAssignmentId[]; + + getOptions(): RoleAssignmentDeletionOptions; + } + + /** + */ + interface DeleteRoleAssignmentsOperationConstructor { + + new (arg0: IRoleAssignmentId[], arg1: RoleAssignmentDeletionOptions): DeleteRoleAssignmentsOperation; + } + + interface DeleteRoleAssignmentsOperationResult extends DeleteObjectsWithoutTrashOperationResult { + + getMessage(): string; + } + + /** + */ + interface DeleteRoleAssignmentsOperationResultConstructor { + + new (): DeleteRoleAssignmentsOperationResult; + } + + interface DeleteSampleTypesOperation extends DeleteObjectsOperation<IEntityTypeId, SampleTypeDeletionOptions> { + + getMessage(): string; + + getObjectIds(): IEntityTypeId[]; + + getOptions(): SampleTypeDeletionOptions; + } + + /** + */ + interface DeleteSampleTypesOperationConstructor { + + new (arg0: IEntityTypeId[], arg1: SampleTypeDeletionOptions): DeleteSampleTypesOperation; + } + + interface DeleteSampleTypesOperationResult extends DeleteObjectsWithoutTrashOperationResult { + + getMessage(): string; + } + + /** + */ + interface DeleteSampleTypesOperationResultConstructor { + + new (): DeleteSampleTypesOperationResult; + } + + interface DeleteSamplesOperation extends DeleteObjectsOperation<ISampleId, SampleDeletionOptions> { + + getMessage(): string; + + getObjectIds(): ISampleId[]; + + getOptions(): SampleDeletionOptions; + } + + /** + */ + interface DeleteSamplesOperationConstructor { + + new (arg0: ISampleId[], arg1: SampleDeletionOptions): DeleteSamplesOperation; + } + + interface DeleteSamplesOperationResult extends DeleteObjectsWithTrashOperationResult { + + getDeletionId(): IDeletionId; + + getMessage(): string; + } + + /** + */ + interface DeleteSamplesOperationResultConstructor { + + new (arg0: IDeletionId): DeleteSamplesOperationResult; + } + + interface DeleteSemanticAnnotationsOperation extends DeleteObjectsOperation<ISemanticAnnotationId, SemanticAnnotationDeletionOptions> { + + getMessage(): string; + + getObjectIds(): ISemanticAnnotationId[]; + + getOptions(): SemanticAnnotationDeletionOptions; + } + + /** + */ + interface DeleteSemanticAnnotationsOperationConstructor { + + new (arg0: ISemanticAnnotationId[], arg1: SemanticAnnotationDeletionOptions): DeleteSemanticAnnotationsOperation; + } + + interface DeleteSemanticAnnotationsOperationResult extends DeleteObjectsWithoutTrashOperationResult { + + getMessage(): string; + } + + /** + */ + interface DeleteSemanticAnnotationsOperationResultConstructor { + + new (): DeleteSemanticAnnotationsOperationResult; + } + + interface DeleteSpacesOperation extends DeleteObjectsOperation<ISpaceId, SpaceDeletionOptions> { + + getMessage(): string; + + getObjectIds(): ISpaceId[]; + + getOptions(): SpaceDeletionOptions; + } + + /** + */ + interface DeleteSpacesOperationConstructor { + + new (arg0: ISpaceId[], arg1: SpaceDeletionOptions): DeleteSpacesOperation; + } + + interface DeleteSpacesOperationResult extends DeleteObjectsWithoutTrashOperationResult { + + getMessage(): string; + } + + /** + */ + interface DeleteSpacesOperationResultConstructor { + + new (): DeleteSpacesOperationResult; + } + + interface DeleteTagsOperation extends DeleteObjectsOperation<ITagId, TagDeletionOptions> { + + getMessage(): string; + + getObjectIds(): ITagId[]; + + getOptions(): TagDeletionOptions; + } + + /** + */ + interface DeleteTagsOperationConstructor { + + new (arg0: ITagId[], arg1: TagDeletionOptions): DeleteTagsOperation; + } + + interface DeleteTagsOperationResult extends DeleteObjectsWithoutTrashOperationResult { + + getMessage(): string; + } + + /** + */ + interface DeleteTagsOperationResultConstructor { + + new (): DeleteTagsOperationResult; + } + + interface DeleteVocabulariesOperation extends DeleteObjectsOperation<IVocabularyId, VocabularyDeletionOptions> { + + getMessage(): string; + + getObjectIds(): IVocabularyId[]; + + getOptions(): VocabularyDeletionOptions; + } + + /** + */ + interface DeleteVocabulariesOperationConstructor { + + new (arg0: IVocabularyId[], arg1: VocabularyDeletionOptions): DeleteVocabulariesOperation; + } + + interface DeleteVocabulariesOperationResult extends DeleteObjectsWithoutTrashOperationResult { + + getMessage(): string; + } + + /** + */ + interface DeleteVocabulariesOperationResultConstructor { + + new (): DeleteVocabulariesOperationResult; + } + + interface DeleteVocabularyTermsOperation extends DeleteObjectsOperation<IVocabularyTermId, VocabularyTermDeletionOptions> { + + getMessage(): string; + + getObjectIds(): IVocabularyTermId[]; + + getOptions(): VocabularyTermDeletionOptions; + } + + /** + */ + interface DeleteVocabularyTermsOperationConstructor { + + new (arg0: IVocabularyTermId[], arg1: VocabularyTermDeletionOptions): DeleteVocabularyTermsOperation; + } + + interface DeleteVocabularyTermsOperationResult extends DeleteObjectsWithoutTrashOperationResult { + + getMessage(): string; + } + + /** + */ + interface DeleteVocabularyTermsOperationResultConstructor { + + new (): DeleteVocabularyTermsOperationResult; + } + + interface DeletedObject extends Serializable { + + getEntityKind(): EntityKind; + + getEntityTypeCode(): string; + + getId(): IObjectId; + + getIdentifier(): string; + + setEntityKind(arg0: EntityKind): void; + + setEntityTypeCode(arg0: string): void; + + setId(arg0: IObjectId): void; + + setIdentifier(arg0: string): void; + } + + /** + */ + interface DeletedObjectConstructor { + + new (): DeletedObject; + } + + interface DeletedObjectFetchOptions extends EmptyFetchOptions { + + cacheMode(arg0: CacheMode): FetchOptions<void>; + + count(arg0: number): FetchOptions<void>; + + from(arg0: number): FetchOptions<void>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): SortOptions<void>; + + sortBy(): SortOptions<void>; + } + + /** + */ + interface DeletedObjectFetchOptionsConstructor { + + new (): DeletedObjectFetchOptions; + } + + interface Deletion extends Serializable { + + getDeletedObjects(): DeletedObject[]; + + getDeletionDate(): number; + + getFetchOptions(): DeletionFetchOptions; + + getId(): IDeletionId; + + getReason(): string; + + getTotalDataSetsCount(): number; + + getTotalExperimentsCount(): number; + + getTotalSamplesCount(): number; + + setDeletedObjects(arg0: DeletedObject[]): void; + + setDeletionDate(arg0: number): void; + + setFetchOptions(arg0: DeletionFetchOptions): void; + + setId(arg0: IDeletionId): void; + + setReason(arg0: string): void; + + setTotalDataSetsCount(arg0: number): void; + + setTotalExperimentsCount(arg0: number): void; + + setTotalSamplesCount(arg0: number): void; + } + + /** + */ + interface DeletionConstructor { + + new (): Deletion; + } + + interface DeletionFetchOptions extends FetchOptions<Deletion>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<Deletion>; + + count(arg0: number): FetchOptions<Deletion>; + + from(arg0: number): FetchOptions<Deletion>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): DeletionSortOptions; + + hasDeletedObjects(): boolean; + + sortBy(): DeletionSortOptions; + + withDeletedObjects(): DeletedObjectFetchOptions; + + withDeletedObjectsUsing(arg0: DeletedObjectFetchOptions): DeletedObjectFetchOptions; + } + + /** + */ + interface DeletionFetchOptionsConstructor { + + new (): DeletionFetchOptions; + } + + interface DeletionSearchCriteria extends AbstractObjectSearchCriteria<IDeletionId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): DeletionSearchCriteria; + + withId(): IdSearchCriteria<IDeletionId>; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): DeletionSearchCriteria; + } + + /** + */ + interface DeletionSearchCriteriaConstructor { + + new (): DeletionSearchCriteria; + } + + interface DeletionSortOptions extends SortOptions<Deletion> { + + getSortings(): Sorting[]; + } + + /** + */ + interface DeletionSortOptionsConstructor { + + new (): DeletionSortOptions; + } + + interface DeletionTechId extends ObjectTechId, IDeletionId { + + getTechId(): number; + } + + /** + */ + interface DeletionTechIdConstructor { + + new (arg0: number): DeletionTechId; + } + + interface DescriptionSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface DescriptionSearchCriteriaConstructor { + + new (): DescriptionSearchCriteria; + } + + interface DescriptorAccessionIdSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface DescriptorAccessionIdSearchCriteriaConstructor { + + new (): DescriptorAccessionIdSearchCriteria; + } + + interface DescriptorOntologyIdSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface DescriptorOntologyIdSearchCriteriaConstructor { + + new (): DescriptorOntologyIdSearchCriteria; + } + + interface DescriptorOntologyVersionSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface DescriptorOntologyVersionSearchCriteriaConstructor { + + new (): DescriptorOntologyVersionSearchCriteria; + } + + interface DssServicePermId extends ObjectPermId, IDssServiceId { + + getDataStoreId(): IDataStoreId; + + getPermId(): string; + } + + /** + */ + interface DssServicePermIdConstructor { + + new (arg0: string): DssServicePermId; + + new (arg0: string, arg1: IDataStoreId): DssServicePermId; + } + + interface DynamicPropertyPluginEvaluationOptions extends PluginEvaluationOptions { + + getObjectId(): IObjectId; + + getPluginId(): IPluginId; + + getPluginScript(): string; + + setObjectId(arg0: IObjectId): void; + + setPluginId(arg0: IPluginId): void; + + setPluginScript(arg0: string): void; + } + + /** + */ + interface DynamicPropertyPluginEvaluationOptionsConstructor { + + new (): DynamicPropertyPluginEvaluationOptions; + } + + interface DynamicPropertyPluginEvaluationResult extends PluginEvaluationResult { + + getValue(): string; + } + + /** + */ + interface DynamicPropertyPluginEvaluationResultConstructor { + + new (arg0: string): DynamicPropertyPluginEvaluationResult; + } + + interface EmailSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface EmailSearchCriteriaConstructor { + + new (): EmailSearchCriteria; + } + + interface EmptyFetchOptions extends FetchOptions<void> { + + cacheMode(arg0: CacheMode): FetchOptions<void>; + + count(arg0: number): FetchOptions<void>; + + from(arg0: number): FetchOptions<void>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): SortOptions<void>; + + sortBy(): SortOptions<void>; + } + + /** + */ + interface EmptyFetchOptionsConstructor { + + new (): EmptyFetchOptions; + } + + /** + */ + interface EntityKindObject { + /** + */ + DATA_SET: EntityKind<> = "DATA_SET"; + /** + */ + EXPERIMENT: EntityKind<> = "EXPERIMENT"; + /** + */ + MATERIAL: EntityKind<> = "MATERIAL"; + /** + */ + SAMPLE: EntityKind<> = "SAMPLE"; + } + + interface EntityKindSearchCriteria extends EnumFieldSearchCriteria<EntityKind> { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): EntityKind; + + isNegated(): boolean; + + setFieldValue(arg0: EntityKind): void; + + thatEquals(arg0: EntityKind): void; + } + + /** + */ + interface EntityKindSearchCriteriaConstructor { + + new (): EntityKindSearchCriteria; + } + + interface EntitySortOptions<OBJECT extends ICodeHolder> extends SortOptions<OBJECT> { + + code(): SortOrder; + + getCode(): SortOrder; + + getModificationDate(): SortOrder; + + getPermId(): SortOrder; + + getRegistrationDate(): SortOrder; + + getSortings(): Sorting[]; + + modificationDate(): SortOrder; + + permId(): SortOrder; + + registrationDate(): SortOrder; + } + + /** + */ + interface EntitySortOptionsConstructor { + + new <OBJECT extends ICodeHolder>(): EntitySortOptions<OBJECT>; + } + + interface EntityTypeCodePatternSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface EntityTypeCodePatternSearchCriteriaConstructor { + + new (): EntityTypeCodePatternSearchCriteria; + } + + interface EntityTypeFetchOptions extends FetchOptions<IEntityType>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<IEntityType>; + + count(arg0: number): FetchOptions<IEntityType>; + + from(arg0: number): FetchOptions<IEntityType>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): EntityTypeSortOptions; + + hasPropertyAssignments(): boolean; + + sortBy(): EntityTypeSortOptions; + + withPropertyAssignments(): PropertyAssignmentFetchOptions; + + withPropertyAssignmentsUsing(arg0: PropertyAssignmentFetchOptions): PropertyAssignmentFetchOptions; + } + + /** + */ + interface EntityTypeFetchOptionsConstructor { + + new (): EntityTypeFetchOptions; + } + + /** + */ + interface EntityTypeObject { + /** + */ + ATTACHMENT: EntityType<> = "ATTACHMENT"; + /** + */ + AUTHORIZATION_GROUP: EntityType<> = "AUTHORIZATION_GROUP"; + /** + */ + DATA_SET: EntityType<> = "DATA_SET"; + /** + */ + EXPERIMENT: EntityType<> = "EXPERIMENT"; + /** + */ + MATERIAL: EntityType<> = "MATERIAL"; + /** + */ + PROJECT: EntityType<> = "PROJECT"; + /** + */ + PROPERTY_TYPE: EntityType<> = "PROPERTY_TYPE"; + /** + */ + SAMPLE: EntityType<> = "SAMPLE"; + /** + */ + SPACE: EntityType<> = "SPACE"; + /** + */ + TAG: EntityType<> = "TAG"; + /** + */ + VOCABULARY: EntityType<> = "VOCABULARY"; + } + + interface EntityTypePermId extends ObjectPermId, IEntityTypeId { + + getEntityKind(): EntityKind; + + getPermId(): string; + } + + /** + */ + interface EntityTypePermIdConstructor { + + new (arg0: string): EntityTypePermId; + + new (arg0: string, arg1: EntityKind): EntityTypePermId; + } + + interface EntityTypeSearchCriteria extends AbstractObjectSearchCriteria<IEntityTypeId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): EntityTypeSearchCriteria; + + withCode(): CodeSearchCriteria; + + withCodes(): CodesSearchCriteria; + + withId(): IdSearchCriteria<IEntityTypeId>; + + withKind(): EntityKindSearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): EntityTypeSearchCriteria; + } + + /** + */ + interface EntityTypeSearchCriteriaConstructor { + + new (): EntityTypeSearchCriteria; + } + + interface EntityTypeSortOptions extends SortOptions<IEntityType> { + + getSortings(): Sorting[]; + } + + /** + */ + interface EntityTypeSortOptionsConstructor { + + new (): EntityTypeSortOptions; + } + + interface EntityValidationPluginEvaluationOptions extends PluginEvaluationOptions { + + getObjectId(): IObjectId; + + getPluginId(): IPluginId; + + getPluginScript(): string; + + isNew(): boolean; + + setNew(arg0: boolean): void; + + setObjectId(arg0: IObjectId): void; + + setPluginId(arg0: IPluginId): void; + + setPluginScript(arg0: string): void; + } + + /** + */ + interface EntityValidationPluginEvaluationOptionsConstructor { + + new (): EntityValidationPluginEvaluationOptions; + } + + interface EntityValidationPluginEvaluationResult extends PluginEvaluationResult { + + getError(): string; + + getRequestedValidations(): IObjectId[]; + } + + /** + */ + interface EntityValidationPluginEvaluationResultConstructor { + + new (arg0: string, arg1: IObjectId[]): EntityValidationPluginEvaluationResult; + } + + interface EntityWithPropertiesSortOptions<OBJECT extends ICodeHolder> extends EntitySortOptions<OBJECT> { + + code(): SortOrder; + + fetchedFieldsScore(): SortOrder; + + getCode(): SortOrder; + + getFetchedFieldsScore(): SortOrder; + + getModificationDate(): SortOrder; + + getPermId(): SortOrder; + + getProperty(arg0: string): SortOrder; + + getRegistrationDate(): SortOrder; + + getSortings(): Sorting[]; + + getType(): SortOrder; + + modificationDate(): SortOrder; + + permId(): SortOrder; + + property(arg0: string): SortOrder; + + registrationDate(): SortOrder; + + stringMatchAnyPropertyScore(arg0: string): SortOrder; + + stringMatchPropertyScore(arg0: string, arg1: string): SortOrder; + + stringPrefixMatchAnyPropertyScore(arg0: string): SortOrder; + + stringPrefixMatchPropertyScore(arg0: string, arg1: string): SortOrder; + + type(): SortOrder; + } + + /** + */ + interface EntityWithPropertiesSortOptionsConstructor { + + new <OBJECT extends ICodeHolder>(): EntityWithPropertiesSortOptions<OBJECT>; + } + + interface EnumFieldSearchCriteria<T> extends AbstractFieldSearchCriteria<T> { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): T; + + isNegated(): boolean; + + setFieldValue(arg0: T): void; + + thatEquals(arg0: T): void; + } + + interface EvaluatePluginOperation extends IOperation { + + getMessage(): string; + + getOptions(): PluginEvaluationOptions; + } + + /** + */ + interface EvaluatePluginOperationConstructor { + + new (arg0: PluginEvaluationOptions): EvaluatePluginOperation; + } + + interface EvaluatePluginOperationResult extends as_dto_common_operation_IOperationResult { + + getMessage(): string; + + getResult(): PluginEvaluationResult; + } + + /** + */ + interface EvaluatePluginOperationResultConstructor { + + new (arg0: PluginEvaluationResult): EvaluatePluginOperationResult; + } + + interface Event extends Serializable, IRegistrationDateHolder, IRegistratorHolder { + + getContent(): string; + + getDescription(): string; + + getEntityProject(): string; + + getEntityProjectId(): IProjectId; + + getEntityRegistrationDate(): number; + + getEntityRegistrator(): string; + + getEntitySpace(): string; + + getEntitySpaceId(): ISpaceId; + + getEntityType(): EntityType; + + getEventType(): EventType; + + getFetchOptions(): EventFetchOptions; + + getId(): IEventId; + + getIdentifier(): string; + + getReason(): string; + + getRegistrationDate(): number; + + getRegistrator(): Person; + + setContent(arg0: string): void; + + setDescription(arg0: string): void; + + setEntityProject(arg0: string): void; + + setEntityProjectId(arg0: IProjectId): void; + + setEntityRegistrationDate(arg0: number): void; + + setEntityRegistrator(arg0: string): void; + + setEntitySpace(arg0: string): void; + + setEntitySpaceId(arg0: ISpaceId): void; + + setEntityType(arg0: EntityType): void; + + setEventType(arg0: EventType): void; + + setFetchOptions(arg0: EventFetchOptions): void; + + setId(arg0: IEventId): void; + + setIdentifier(arg0: string): void; + + setReason(arg0: string): void; + + setRegistrationDate(arg0: number): void; + + setRegistrator(arg0: Person): void; + } + + /** + */ + interface EventConstructor { + + new (): Event; + } + + interface EventDescriptionSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface EventDescriptionSearchCriteriaConstructor { + + new (): EventDescriptionSearchCriteria; + } + + interface EventEntityProjectIdSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface EventEntityProjectIdSearchCriteriaConstructor { + + new (): EventEntityProjectIdSearchCriteria; + } + + interface EventEntityProjectSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface EventEntityProjectSearchCriteriaConstructor { + + new (): EventEntityProjectSearchCriteria; + } + + interface EventEntityRegistrationDateSearchCriteria extends DateFieldSearchCriteria { + + formatValue(arg0: string, arg1: IDateFormat): number; + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): IDate; + + getTimeZone(): ITimeZone; + + isNegated(): boolean; + + setFieldValue(arg0: IDate): void; + + setTimeZone(arg0: ITimeZone): void; + + thatEquals(arg0: number): void; + + thatEquals(arg0: string): void; + + thatIsEarlierThan(arg0: number): void; + + thatIsEarlierThan(arg0: string): void; + + thatIsEarlierThanOrEqualTo(arg0: number): void; + + thatIsEarlierThanOrEqualTo(arg0: string): void; + + thatIsLaterThan(arg0: number): void; + + thatIsLaterThan(arg0: string): void; + + thatIsLaterThanOrEqualTo(arg0: number): void; + + thatIsLaterThanOrEqualTo(arg0: string): void; + + withServerTimeZone(): DateFieldSearchCriteria; + + withTimeZone(arg0: number): DateFieldSearchCriteria; + } + + /** + */ + interface EventEntityRegistrationDateSearchCriteriaConstructor { + + new (): EventEntityRegistrationDateSearchCriteria; + } + + interface EventEntityRegistratorSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface EventEntityRegistratorSearchCriteriaConstructor { + + new (): EventEntityRegistratorSearchCriteria; + } + + interface EventEntitySpaceIdSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface EventEntitySpaceIdSearchCriteriaConstructor { + + new (): EventEntitySpaceIdSearchCriteria; + } + + interface EventEntitySpaceSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface EventEntitySpaceSearchCriteriaConstructor { + + new (): EventEntitySpaceSearchCriteria; + } + + interface EventEntityTypeSearchCriteria extends EnumFieldSearchCriteria<EntityType> { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): EntityType; + + isNegated(): boolean; + + setFieldValue(arg0: EntityType): void; + + thatEquals(arg0: EntityType): void; + } + + /** + */ + interface EventEntityTypeSearchCriteriaConstructor { + + new (): EventEntityTypeSearchCriteria; + } + + interface EventFetchOptions extends FetchOptions<Event>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<Event>; + + count(arg0: number): FetchOptions<Event>; + + from(arg0: number): FetchOptions<Event>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): EventSortOptions; + + hasRegistrator(): boolean; + + sortBy(): EventSortOptions; + + withRegistrator(): PersonFetchOptions; + + withRegistratorUsing(arg0: PersonFetchOptions): PersonFetchOptions; + } + + /** + */ + interface EventFetchOptionsConstructor { + + new (): EventFetchOptions; + } + + interface EventIdentifierSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface EventIdentifierSearchCriteriaConstructor { + + new (): EventIdentifierSearchCriteria; + } + + interface EventReasonSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface EventReasonSearchCriteriaConstructor { + + new (): EventReasonSearchCriteria; + } + + interface EventSearchCriteria extends AbstractObjectSearchCriteria<IEventId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): EventSearchCriteria; + + withDescription(): EventDescriptionSearchCriteria; + + withEntityProject(): EventEntityProjectSearchCriteria; + + withEntityProjectId(): EventEntityProjectIdSearchCriteria; + + withEntityRegistrationDate(): EventEntityRegistrationDateSearchCriteria; + + withEntityRegistrator(): EventEntityRegistratorSearchCriteria; + + withEntitySpace(): EventEntitySpaceSearchCriteria; + + withEntitySpaceId(): EventEntitySpaceIdSearchCriteria; + + withEntityType(): EventEntityTypeSearchCriteria; + + withEventType(): EventTypeSearchCriteria; + + withId(): IdSearchCriteria<IEventId>; + + withIdentifier(): EventIdentifierSearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): EventSearchCriteria; + + withReason(): EventReasonSearchCriteria; + + withRegistrationDate(): RegistrationDateSearchCriteria; + + withRegistrator(): RegistratorSearchCriteria; + } + + /** + */ + interface EventSearchCriteriaConstructor { + + new (): EventSearchCriteria; + } + + interface EventSortOptions extends SortOptions<Event> { + + getId(): SortOrder; + + getIdentifier(): SortOrder; + + getRegistrationDate(): SortOrder; + + getSortings(): Sorting[]; + + id(): SortOrder; + + identifier(): SortOrder; + + registrationDate(): SortOrder; + } + + /** + */ + interface EventSortOptionsConstructor { + + new (): EventSortOptions; + } + + interface EventTechId extends ObjectTechId, IEventId { + + getTechId(): number; + } + + /** + */ + interface EventTechIdConstructor { + + new (arg0: number): EventTechId; + } + + /** + */ + interface EventTypeObject { + /** + */ + DELETION: EventType<> = "DELETION"; + /** + */ + FREEZING: EventType<> = "FREEZING"; + /** + */ + MOVEMENT: EventType<> = "MOVEMENT"; + } + + interface EventTypeSearchCriteria extends EnumFieldSearchCriteria<EventType> { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): EventType; + + isNegated(): boolean; + + setFieldValue(arg0: EventType): void; + + thatEquals(arg0: EventType): void; + } + + /** + */ + interface EventTypeSearchCriteriaConstructor { + + new (): EventTypeSearchCriteria; + } + + interface ExecuteAggregationServiceOperation extends IOperation { + + getMessage(): string; + + getOptions(): AggregationServiceExecutionOptions; + + getServiceId(): IDssServiceId; + } + + /** + */ + interface ExecuteAggregationServiceOperationConstructor { + + new (arg0: IDssServiceId, arg1: AggregationServiceExecutionOptions): ExecuteAggregationServiceOperation; + } + + interface ExecuteAggregationServiceOperationResult extends as_dto_common_operation_IOperationResult { + + getMessage(): string; + + getResult(): TableModel; + } + + /** + */ + interface ExecuteAggregationServiceOperationResultConstructor { + + new (arg0: TableModel): ExecuteAggregationServiceOperationResult; + } + + interface ExecuteCustomASServiceOperation extends IOperation { + + getMessage(): string; + + getOptions(): CustomASServiceExecutionOptions; + + getServiceId(): ICustomASServiceId; + } + + /** + */ + interface ExecuteCustomASServiceOperationConstructor { + + new (arg0: ICustomASServiceId, arg1: CustomASServiceExecutionOptions): ExecuteCustomASServiceOperation; + } + + interface ExecuteCustomASServiceOperationResult extends as_dto_common_operation_IOperationResult { + + getMessage(): string; + + getResult(): any; + } + + /** + */ + interface ExecuteCustomASServiceOperationResultConstructor { + + new (arg0: any): ExecuteCustomASServiceOperationResult; + } + + interface ExecuteCustomDSSServiceOperationResult extends dss_dto_common_operation_IOperationResult { + + getMessage(): string; + + getResult(): any; + } + + /** + */ + interface ExecuteCustomDSSServiceOperationResultConstructor { + + new (arg0: any): ExecuteCustomDSSServiceOperationResult; + } + + interface ExecuteProcessingServiceOperation extends IOperation { + + getMessage(): string; + + getOptions(): ProcessingServiceExecutionOptions; + + getServiceId(): IDssServiceId; + } + + /** + */ + interface ExecuteProcessingServiceOperationConstructor { + + new (arg0: IDssServiceId, arg1: ProcessingServiceExecutionOptions): ExecuteProcessingServiceOperation; + } + + interface ExecuteProcessingServiceOperationResult extends as_dto_common_operation_IOperationResult { + + getMessage(): string; + } + + /** + */ + interface ExecuteProcessingServiceOperationResultConstructor { + + new (): ExecuteProcessingServiceOperationResult; + } + + interface ExecuteQueryOperation extends IOperation { + + getMessage(): string; + + getOptions(): QueryExecutionOptions; + + getQueryId(): IQueryId; + } + + /** + */ + interface ExecuteQueryOperationConstructor { + + new (arg0: IQueryId, arg1: QueryExecutionOptions): ExecuteQueryOperation; + } + + interface ExecuteQueryOperationResult extends as_dto_common_operation_IOperationResult { + + getMessage(): string; + + getResult(): TableModel; + } + + /** + */ + interface ExecuteQueryOperationResultConstructor { + + new (arg0: TableModel): ExecuteQueryOperationResult; + } + + interface ExecuteReportingServiceOperation extends IOperation { + + getMessage(): string; + + getOptions(): ReportingServiceExecutionOptions; + + getServiceId(): IDssServiceId; + } + + /** + */ + interface ExecuteReportingServiceOperationConstructor { + + new (arg0: IDssServiceId, arg1: ReportingServiceExecutionOptions): ExecuteReportingServiceOperation; + } + + interface ExecuteReportingServiceOperationResult extends as_dto_common_operation_IOperationResult { + + getMessage(): string; + + getResult(): TableModel; + } + + /** + */ + interface ExecuteReportingServiceOperationResultConstructor { + + new (arg0: TableModel): ExecuteReportingServiceOperationResult; + } + + interface ExecuteSearchDomainServiceOperation extends IOperation { + + getMessage(): string; + + getOptions(): SearchDomainServiceExecutionOptions; + } + + /** + */ + interface ExecuteSearchDomainServiceOperationConstructor { + + new (arg0: SearchDomainServiceExecutionOptions): ExecuteSearchDomainServiceOperation; + } + + interface ExecuteSearchDomainServiceOperationResult extends as_dto_common_operation_IOperationResult { + + getMessage(): string; + + getResult(): SearchResult<SearchDomainServiceExecutionResult>; + } + + /** + */ + interface ExecuteSearchDomainServiceOperationResultConstructor { + + new (arg0: SearchResult<SearchDomainServiceExecutionResult>): ExecuteSearchDomainServiceOperationResult; + } + + interface ExecuteSqlOperation extends IOperation { + + getMessage(): string; + + getOptions(): SqlExecutionOptions; + + getSql(): string; + } + + /** + */ + interface ExecuteSqlOperationConstructor { + + new (arg0: string, arg1: SqlExecutionOptions): ExecuteSqlOperation; + } + + interface ExecuteSqlOperationResult extends as_dto_common_operation_IOperationResult { + + getMessage(): string; + + getResult(): TableModel; + } + + /** + */ + interface ExecuteSqlOperationResultConstructor { + + new (arg0: TableModel): ExecuteSqlOperationResult; + } + + interface Experiment extends AbstractEntity<Experiment>, Serializable, IAttachmentsHolder, ICodeHolder, IDataSetsHolder, IEntityTypeHolder, IIdentifierHolder, IMaterialPropertiesHolder, IModificationDateHolder, IModifierHolder, IPermIdHolder, IProjectHolder, IPropertiesHolder, IRegistrationDateHolder, IRegistratorHolder, ISamplesHolder, ITagsHolder { + + getAttachments(): Attachment[]; + + getBooleanProperty(arg0: string): boolean; + + getCode(): string; + + getControlledVocabularyProperty(arg0: string): string; + + getDataSets(): DataSet[]; + + getDataSetsHistory(): HistoryEntry[]; + + getFetchOptions(): ExperimentFetchOptions; + + getHistory(): HistoryEntry[]; + + getHyperlinkProperty(arg0: string): string; + + getIdentifier(): ExperimentIdentifier; + + getIntegerArrayProperty(arg0: string): number[]; + + getIntegerProperty(arg0: string): number; + + getJsonProperty(arg0: string): string; + + getMaterialProperties(): { [index: string]: Material }; + + getMaterialProperty(arg0: string): Material; + + getMetaData(): { [index: string]: string }; + + getModificationDate(): number; + + getModifier(): Person; + + getMultiValueBooleanProperty(arg0: string): boolean[]; + + getMultiValueControlledVocabularyProperty(arg0: string): string[]; + + getMultiValueHyperlinkProperty(arg0: string): string[]; + + getMultiValueIntegerArrayProperty(arg0: string): number[][]; + + getMultiValueIntegerProperty(arg0: string): number[]; + + getMultiValueJsonProperty(arg0: string): string[]; + + getMultiValueRealArrayProperty(arg0: string): number[][]; + + getMultiValueRealProperty(arg0: string): number[]; + + getMultiValueSampleProperty(arg0: string): SamplePermId[]; + + getMultiValueStringArrayProperty(arg0: string): string[][]; + + getMultiValueStringProperty(arg0: string): string[]; + + getMultiValueTimestampArrayProperty(arg0: string): number[][]; + + getMultiValueTimestampProperty(arg0: string): number[]; + + getMultiValueXmlProperty(arg0: string): string[]; + + getPermId(): ExperimentPermId; + + getProject(): Project; + + getProjectHistory(): HistoryEntry[]; + + getProperties(): { [index: string]: Serializable }; + + getPropertiesHistory(): HistoryEntry[]; + + getProperty(arg0: string): Serializable; + + getRealArrayProperty(arg0: string): number[]; + + getRealProperty(arg0: string): number; + + getRegistrationDate(): number; + + getRegistrator(): Person; + + getSampleProperties(): { [index: string]: Sample[] }; + + getSampleProperty(arg0: string): SamplePermId; + + getSamples(): Sample[]; + + getSamplesHistory(): HistoryEntry[]; + + getStringArrayProperty(arg0: string): string[]; + + getStringProperty(arg0: string): string; + + getTags(): Tag[]; + + getTimestampArrayProperty(arg0: string): number[]; + + getTimestampProperty(arg0: string): number; + + getType(): ExperimentType; + + getUnknownHistory(): HistoryEntry[]; + + getXmlProperty(arg0: string): string; + + isFrozen(): boolean; + + isFrozenForDataSets(): boolean; + + isFrozenForSamples(): boolean; + + setAttachments(arg0: Attachment[]): void; + + setBooleanProperty(arg0: string, arg1: boolean): void; + + setCode(arg0: string): void; + + setControlledVocabularyProperty(arg0: string, arg1: string): void; + + setDataSets(arg0: DataSet[]): void; + + setDataSetsHistory(arg0: HistoryEntry[]): void; + + setFetchOptions(arg0: ExperimentFetchOptions): void; + + setFrozen(arg0: boolean): void; + + setFrozenForDataSets(arg0: boolean): void; + + setFrozenForSamples(arg0: boolean): void; + + setHistory(arg0: HistoryEntry[]): void; + + setHyperlinkProperty(arg0: string, arg1: string): void; + + setIdentifier(arg0: ExperimentIdentifier): void; + + setIntegerArrayProperty(arg0: string, arg1: number[]): void; + + setIntegerProperty(arg0: string, arg1: number): void; + + setJsonProperty(arg0: string, arg1: string): void; + + setMaterialProperties(arg0: { [index: string]: Material }): void; + + setMaterialProperty(arg0: string, arg1: Material): void; + + setMetaData(arg0: { [index: string]: string }): void; + + setModificationDate(arg0: number): void; + + setModifier(arg0: Person): void; + + setMultiValueBooleanProperty(arg0: string, arg1: boolean[]): void; + + setMultiValueControlledVocabularyProperty(arg0: string, arg1: string[]): void; + + setMultiValueHyperlinkProperty(arg0: string, arg1: string[]): void; + + setMultiValueIntegerArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueIntegerProperty(arg0: string, arg1: number[]): void; + + setMultiValueJsonProperty(arg0: string, arg1: string[]): void; + + setMultiValueRealArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueRealProperty(arg0: string, arg1: number[]): void; + + setMultiValueSampleProperty(arg0: string, arg1: SamplePermId[]): void; + + setMultiValueStringArrayProperty(arg0: string, arg1: string[][]): void; + + setMultiValueStringProperty(arg0: string, arg1: string[]): void; + + setMultiValueTimestampArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueTimestampProperty(arg0: string, arg1: number[]): void; + + setMultiValueXmlProperty(arg0: string, arg1: string[]): void; + + setPermId(arg0: ExperimentPermId): void; + + setProject(arg0: Project): void; + + setProjectHistory(arg0: HistoryEntry[]): void; + + setProperties(arg0: { [index: string]: Serializable }): void; + + setPropertiesHistory(arg0: HistoryEntry[]): void; + + setProperty(arg0: string, arg1: Serializable): void; + + setRealArrayProperty(arg0: string, arg1: number[]): void; + + setRealProperty(arg0: string, arg1: number): void; + + setRegistrationDate(arg0: number): void; + + setRegistrator(arg0: Person): void; + + setSampleProperties(arg0: { [index: string]: Sample[] }): void; + + setSampleProperty(arg0: string, arg1: SamplePermId): void; + + setSamples(arg0: Sample[]): void; + + setSamplesHistory(arg0: HistoryEntry[]): void; + + setStringArrayProperty(arg0: string, arg1: string[]): void; + + setStringProperty(arg0: string, arg1: string): void; + + setTags(arg0: Tag[]): void; + + setTimestampArrayProperty(arg0: string, arg1: number[]): void; + + setTimestampProperty(arg0: string, arg1: number): void; + + setType(arg0: ExperimentType): void; + + setUnknownHistory(arg0: HistoryEntry[]): void; + + setXmlProperty(arg0: string, arg1: string): void; + } + + /** + */ + interface ExperimentConstructor { + + new (): Experiment; + } + + interface ExperimentCreation extends AbstractEntityCreation, ICreation, IObjectCreation, ICreationIdHolder, IPropertiesHolder { + + getAttachments(): AttachmentCreation[]; + + getBooleanProperty(arg0: string): boolean; + + getCode(): string; + + getControlledVocabularyProperty(arg0: string): string; + + getCreationId(): CreationId; + + getHyperlinkProperty(arg0: string): string; + + getIntegerArrayProperty(arg0: string): number[]; + + getIntegerProperty(arg0: string): number; + + getJsonProperty(arg0: string): string; + + getMetaData(): { [index: string]: string }; + + getMultiValueBooleanProperty(arg0: string): boolean[]; + + getMultiValueControlledVocabularyProperty(arg0: string): string[]; + + getMultiValueHyperlinkProperty(arg0: string): string[]; + + getMultiValueIntegerArrayProperty(arg0: string): number[][]; + + getMultiValueIntegerProperty(arg0: string): number[]; + + getMultiValueJsonProperty(arg0: string): string[]; + + getMultiValueRealArrayProperty(arg0: string): number[][]; + + getMultiValueRealProperty(arg0: string): number[]; + + getMultiValueSampleProperty(arg0: string): SamplePermId[]; + + getMultiValueStringArrayProperty(arg0: string): string[][]; + + getMultiValueStringProperty(arg0: string): string[]; + + getMultiValueTimestampArrayProperty(arg0: string): number[][]; + + getMultiValueTimestampProperty(arg0: string): number[]; + + getMultiValueXmlProperty(arg0: string): string[]; + + getProjectId(): IProjectId; + + getProperties(): { [index: string]: Serializable }; + + getProperty(arg0: string): Serializable; + + getRealArrayProperty(arg0: string): number[]; + + getRealProperty(arg0: string): number; + + getSampleProperty(arg0: string): SamplePermId; + + getStringArrayProperty(arg0: string): string[]; + + getStringProperty(arg0: string): string; + + getTagIds(): ITagId[]; + + getTimestampArrayProperty(arg0: string): number[]; + + getTimestampProperty(arg0: string): number; + + getTypeId(): IEntityTypeId; + + getXmlProperty(arg0: string): string; + + setAttachments(arg0: AttachmentCreation[]): void; + + setBooleanProperty(arg0: string, arg1: boolean): void; + + setCode(arg0: string): void; + + setControlledVocabularyProperty(arg0: string, arg1: string): void; + + setCreationId(arg0: CreationId): void; + + setHyperlinkProperty(arg0: string, arg1: string): void; + + setIntegerArrayProperty(arg0: string, arg1: number[]): void; + + setIntegerProperty(arg0: string, arg1: number): void; + + setJsonProperty(arg0: string, arg1: string): void; + + setMetaData(arg0: { [index: string]: string }): void; + + setMultiValueBooleanProperty(arg0: string, arg1: boolean[]): void; + + setMultiValueControlledVocabularyProperty(arg0: string, arg1: string[]): void; + + setMultiValueHyperlinkProperty(arg0: string, arg1: string[]): void; + + setMultiValueIntegerArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueIntegerProperty(arg0: string, arg1: number[]): void; + + setMultiValueJsonProperty(arg0: string, arg1: string[]): void; + + setMultiValueRealArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueRealProperty(arg0: string, arg1: number[]): void; + + setMultiValueSampleProperty(arg0: string, arg1: SamplePermId[]): void; + + setMultiValueStringArrayProperty(arg0: string, arg1: string[][]): void; + + setMultiValueStringProperty(arg0: string, arg1: string[]): void; + + setMultiValueTimestampArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueTimestampProperty(arg0: string, arg1: number[]): void; + + setMultiValueXmlProperty(arg0: string, arg1: string[]): void; + + setProjectId(arg0: IProjectId): void; + + setProperties(arg0: { [index: string]: Serializable }): void; + + setProperty(arg0: string, arg1: Serializable): void; + + setRealArrayProperty(arg0: string, arg1: number[]): void; + + setRealProperty(arg0: string, arg1: number): void; + + setSampleProperty(arg0: string, arg1: SamplePermId): void; + + setStringArrayProperty(arg0: string, arg1: string[]): void; + + setStringProperty(arg0: string, arg1: string): void; + + setTagIds(arg0: ITagId[]): void; + + setTimestampArrayProperty(arg0: string, arg1: number[]): void; + + setTimestampProperty(arg0: string, arg1: number): void; + + setTypeId(arg0: IEntityTypeId): void; + + setXmlProperty(arg0: string, arg1: string): void; + } + + /** + */ + interface ExperimentCreationConstructor { + + new (): ExperimentCreation; + } + + interface ExperimentDeletionOptions extends AbstractObjectDeletionOptions<ExperimentDeletionOptions> { + + getReason(): string; + + setReason(arg0: string): ExperimentDeletionOptions; + } + + /** + */ + interface ExperimentDeletionOptionsConstructor { + + new (): ExperimentDeletionOptions; + } + + interface ExperimentFetchOptions extends AbstractEntityFetchOptions<Experiment>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<Experiment>; + + count(arg0: number): FetchOptions<Experiment>; + + from(arg0: number): FetchOptions<Experiment>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): ExperimentSortOptions; + + hasAttachments(): boolean; + + hasDataSets(): boolean; + + hasDataSetsHistory(): boolean; + + hasHistory(): boolean; + + hasMaterialProperties(): boolean; + + hasModifier(): boolean; + + hasProject(): boolean; + + hasProjectHistory(): boolean; + + hasProperties(): boolean; + + hasPropertiesHistory(): boolean; + + hasRegistrator(): boolean; + + hasSampleProperties(): boolean; + + hasSamples(): boolean; + + hasSamplesHistory(): boolean; + + hasTags(): boolean; + + hasType(): boolean; + + hasUnknownHistory(): boolean; + + sortBy(): ExperimentSortOptions; + + withAttachments(): AttachmentFetchOptions; + + withAttachmentsUsing(arg0: AttachmentFetchOptions): AttachmentFetchOptions; + + withDataSets(): DataSetFetchOptions; + + withDataSetsHistory(): HistoryEntryFetchOptions; + + withDataSetsHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + + withDataSetsUsing(arg0: DataSetFetchOptions): DataSetFetchOptions; + + withHistory(): HistoryEntryFetchOptions; + + withHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + + withMaterialProperties(): MaterialFetchOptions; + + withMaterialPropertiesUsing(arg0: MaterialFetchOptions): MaterialFetchOptions; + + withModifier(): PersonFetchOptions; + + withModifierUsing(arg0: PersonFetchOptions): PersonFetchOptions; + + withProject(): ProjectFetchOptions; + + withProjectHistory(): HistoryEntryFetchOptions; + + withProjectHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + + withProjectUsing(arg0: ProjectFetchOptions): ProjectFetchOptions; + + withProperties(): PropertyFetchOptions; + + withPropertiesHistory(): HistoryEntryFetchOptions; + + withPropertiesHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + + withPropertiesUsing(arg0: PropertyFetchOptions): PropertyFetchOptions; + + withRegistrator(): PersonFetchOptions; + + withRegistratorUsing(arg0: PersonFetchOptions): PersonFetchOptions; + + withSampleProperties(): SampleFetchOptions; + + withSamplePropertiesUsing(arg0: SampleFetchOptions): SampleFetchOptions; + + withSamples(): SampleFetchOptions; + + withSamplesHistory(): HistoryEntryFetchOptions; + + withSamplesHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + + withSamplesUsing(arg0: SampleFetchOptions): SampleFetchOptions; + + withTags(): TagFetchOptions; + + withTagsUsing(arg0: TagFetchOptions): TagFetchOptions; + + withType(): ExperimentTypeFetchOptions; + + withTypeUsing(arg0: ExperimentTypeFetchOptions): ExperimentTypeFetchOptions; + + withUnknownHistory(): HistoryEntryFetchOptions; + + withUnknownHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + } + + /** + */ + interface ExperimentFetchOptionsConstructor { + + new (): ExperimentFetchOptions; + } + + interface ExperimentIdentifier extends ObjectIdentifier, IExperimentId { + + getIdentifier(): string; + } + + /** + */ + interface ExperimentIdentifierConstructor { + + new (arg0: string): ExperimentIdentifier; + + new (arg0: string, arg1: string, arg2: string): ExperimentIdentifier; + } + + interface ExperimentPermId extends ObjectPermId, IExperimentId { + + getPermId(): string; + } + + /** + */ + interface ExperimentPermIdConstructor { + + new (arg0: string): ExperimentPermId; + } + + /** + */ + interface ExperimentRelationTypeObject { + /** + */ + DATA_SET: ExperimentRelationType<> = "DATA_SET"; + /** + */ + PROJECT: ExperimentRelationType<> = "PROJECT"; + /** + */ + SAMPLE: ExperimentRelationType<> = "SAMPLE"; + } + + interface ExperimentSearchCriteria extends AbstractEntitySearchCriteria<IExperimentId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + negate(): ExperimentSearchCriteria; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): ExperimentSearchCriteria; + + withAnyBooleanProperty(): AnyBooleanPropertySearchCriteria; + + withAnyDateProperty(): AnyDatePropertySearchCriteria; + + withAnyField(): AnyFieldSearchCriteria; + + withAnyNumberProperty(): AnyNumberPropertySearchCriteria; + + withAnyProperty(): AnyPropertySearchCriteria; + + withAnyStringProperty(): AnyStringPropertySearchCriteria; + + withBooleanProperty(arg0: string): BooleanPropertySearchCriteria; + + withCode(): CodeSearchCriteria; + + withCodes(): CodesSearchCriteria; + + withDateProperty(arg0: string): DatePropertySearchCriteria; + + withId(): IdSearchCriteria<IExperimentId>; + + withIdentifier(): IdentifierSearchCriteria; + + withModificationDate(): ModificationDateSearchCriteria; + + withModifier(): ModifierSearchCriteria; + + withNumberProperty(arg0: string): NumberPropertySearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): ExperimentSearchCriteria; + + withPermId(): PermIdSearchCriteria; + + withProject(): ProjectSearchCriteria; + + withProperty(arg0: string): StringPropertySearchCriteria; + + withRegistrationDate(): RegistrationDateSearchCriteria; + + withRegistrator(): RegistratorSearchCriteria; + + withSampleProperty(arg0: string): SamplePropertySearchCriteria; + + withStringProperty(arg0: string): StrictlyStringPropertySearchCriteria; + + withSubcriteria(): ExperimentSearchCriteria; + + withTag(): TagSearchCriteria; + + withTextAttribute(): TextAttributeSearchCriteria; + + withType(): ExperimentTypeSearchCriteria; + + withVocabularyProperty(arg0: string): ControlledVocabularyPropertySearchCriteria; + } + + /** + */ + interface ExperimentSearchCriteriaConstructor { + + new (): ExperimentSearchCriteria; + } + + interface ExperimentSortOptions extends EntityWithPropertiesSortOptions<Experiment> { + + code(): SortOrder; + + fetchedFieldsScore(): SortOrder; + + getCode(): SortOrder; + + getFetchedFieldsScore(): SortOrder; + + getIdentifier(): SortOrder; + + getModificationDate(): SortOrder; + + getPermId(): SortOrder; + + getProperty(arg0: string): SortOrder; + + getRegistrationDate(): SortOrder; + + getSortings(): Sorting[]; + + getType(): SortOrder; + + identifier(): SortOrder; + + modificationDate(): SortOrder; + + permId(): SortOrder; + + property(arg0: string): SortOrder; + + registrationDate(): SortOrder; + + stringMatchAnyPropertyScore(arg0: string): SortOrder; + + stringMatchPropertyScore(arg0: string, arg1: string): SortOrder; + + stringPrefixMatchAnyPropertyScore(arg0: string): SortOrder; + + stringPrefixMatchPropertyScore(arg0: string, arg1: string): SortOrder; + + type(): SortOrder; + } + + /** + */ + interface ExperimentSortOptionsConstructor { + + new (): ExperimentSortOptions; + } + + interface ExperimentType extends Serializable, ICodeHolder, IDescriptionHolder, IEntityType, IModificationDateHolder, IPermIdHolder, IPropertyAssignmentsHolder { + + getCode(): string; + + getDescription(): string; + + getFetchOptions(): ExperimentTypeFetchOptions; + + getMetaData(): { [index: string]: string }; + + getModificationDate(): number; + + getPermId(): EntityTypePermId; + + getPropertyAssignments(): PropertyAssignment[]; + + getValidationPlugin(): Plugin; + + setCode(arg0: string): void; + + setDescription(arg0: string): void; + + setFetchOptions(arg0: ExperimentTypeFetchOptions): void; + + setMetaData(arg0: { [index: string]: string }): void; + + setModificationDate(arg0: number): void; + + setPermId(arg0: EntityTypePermId): void; + + setPropertyAssignments(arg0: PropertyAssignment[]): void; + + setValidationPlugin(arg0: Plugin): void; + } + + /** + */ + interface ExperimentTypeConstructor { + + new (): ExperimentType; + } + + interface ExperimentTypeCreation extends IEntityTypeCreation { + + getCode(): string; + + getDescription(): string; + + getMetaData(): { [index: string]: string }; + + getPropertyAssignments(): PropertyAssignmentCreation[]; + + getValidationPluginId(): IPluginId; + + setCode(arg0: string): void; + + setDescription(arg0: string): void; + + setMetaData(arg0: { [index: string]: string }): void; + + setPropertyAssignments(arg0: PropertyAssignmentCreation[]): void; + + setValidationPluginId(arg0: IPluginId): void; + } + + /** + */ + interface ExperimentTypeCreationConstructor { + + new (): ExperimentTypeCreation; + } + + interface ExperimentTypeDeletionOptions extends AbstractObjectDeletionOptions<ExperimentTypeDeletionOptions> { + + getReason(): string; + + setReason(arg0: string): ExperimentTypeDeletionOptions; + } + + /** + */ + interface ExperimentTypeDeletionOptionsConstructor { + + new (): ExperimentTypeDeletionOptions; + } + + interface ExperimentTypeFetchOptions extends FetchOptions<ExperimentType>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<ExperimentType>; + + count(arg0: number): FetchOptions<ExperimentType>; + + from(arg0: number): FetchOptions<ExperimentType>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): ExperimentTypeSortOptions; + + hasPropertyAssignments(): boolean; + + hasValidationPlugin(): boolean; + + sortBy(): ExperimentTypeSortOptions; + + withPropertyAssignments(): PropertyAssignmentFetchOptions; + + withPropertyAssignmentsUsing(arg0: PropertyAssignmentFetchOptions): PropertyAssignmentFetchOptions; + + withValidationPlugin(): PluginFetchOptions; + + withValidationPluginUsing(arg0: PluginFetchOptions): PluginFetchOptions; + } + + /** + */ + interface ExperimentTypeFetchOptionsConstructor { + + new (): ExperimentTypeFetchOptions; + } + + interface ExperimentTypeSearchCriteria extends AbstractEntityTypeSearchCriteria { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): ExperimentTypeSearchCriteria; + + withCode(): CodeSearchCriteria; + + withCodes(): CodesSearchCriteria; + + withId(): IdSearchCriteria<IEntityTypeId>; + + withIds(): IdsSearchCriteria<IEntityTypeId>; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): ExperimentTypeSearchCriteria; + + withPermId(): PermIdSearchCriteria; + + withPropertyAssignments(): PropertyAssignmentSearchCriteria; + } + + /** + */ + interface ExperimentTypeSearchCriteriaConstructor { + + new (): ExperimentTypeSearchCriteria; + } + + interface ExperimentTypeSortOptions extends SortOptions<ExperimentType> { + + getSortings(): Sorting[]; + } + + /** + */ + interface ExperimentTypeSortOptionsConstructor { + + new (): ExperimentTypeSortOptions; + } + + interface ExperimentTypeUpdate extends IEntityTypeUpdate, IMetaDataUpdateHolder { + + getDescription(): FieldUpdateValue<string>; + + getMetaData(): ListUpdateMapValues; + + getObjectId(): IEntityTypeId; + + getPropertyAssignments(): PropertyAssignmentListUpdateValue; + + getTypeId(): IEntityTypeId; + + getValidationPluginId(): FieldUpdateValue<IPluginId>; + + setDescription(arg0: string): void; + + setMetaDataActions(arg0: ListUpdateAction<any>[]): void; + + setPropertyAssignmentActions(arg0: ListUpdateAction<any>[]): void; + + setTypeId(arg0: IEntityTypeId): void; + + setValidationPluginId(arg0: IPluginId): void; + } + + /** + */ + interface ExperimentTypeUpdateConstructor { + + new (): ExperimentTypeUpdate; + } + + interface ExperimentUpdate extends AbstractEntityUpdate, IUpdate, IObjectUpdate<IExperimentId>, IPropertiesHolder, IMetaDataUpdateHolder { + + freeze(): void; + + freezeForDataSets(): void; + + freezeForSamples(): void; + + getAttachments(): AttachmentListUpdateValue; + + getBooleanProperty(arg0: string): boolean; + + getControlledVocabularyProperty(arg0: string): string; + + getExperimentId(): IExperimentId; + + getHyperlinkProperty(arg0: string): string; + + getIntegerArrayProperty(arg0: string): number[]; + + getIntegerProperty(arg0: string): number; + + getJsonProperty(arg0: string): string; + + getMetaData(): ListUpdateMapValues; + + getMultiValueBooleanProperty(arg0: string): boolean[]; + + getMultiValueControlledVocabularyProperty(arg0: string): string[]; + + getMultiValueHyperlinkProperty(arg0: string): string[]; + + getMultiValueIntegerArrayProperty(arg0: string): number[][]; + + getMultiValueIntegerProperty(arg0: string): number[]; + + getMultiValueJsonProperty(arg0: string): string[]; + + getMultiValueRealArrayProperty(arg0: string): number[][]; + + getMultiValueRealProperty(arg0: string): number[]; + + getMultiValueSampleProperty(arg0: string): SamplePermId[]; + + getMultiValueStringArrayProperty(arg0: string): string[][]; + + getMultiValueStringProperty(arg0: string): string[]; + + getMultiValueTimestampArrayProperty(arg0: string): number[][]; + + getMultiValueTimestampProperty(arg0: string): number[]; + + getMultiValueXmlProperty(arg0: string): string[]; + + getObjectId(): IExperimentId; + + getProjectId(): FieldUpdateValue<IProjectId>; + + getProperties(): { [index: string]: Serializable }; + + getProperty(arg0: string): Serializable; + + getRealArrayProperty(arg0: string): number[]; + + getRealProperty(arg0: string): number; + + getSampleProperty(arg0: string): SamplePermId; + + getStringArrayProperty(arg0: string): string[]; + + getStringProperty(arg0: string): string; + + getTagIds(): IdListUpdateValue<ITagId>; + + getTimestampArrayProperty(arg0: string): number[]; + + getTimestampProperty(arg0: string): number; + + getXmlProperty(arg0: string): string; + + setAttachmentsActions(arg0: ListUpdateAction<any>[]): void; + + setBooleanProperty(arg0: string, arg1: boolean): void; + + setControlledVocabularyProperty(arg0: string, arg1: string): void; + + setExperimentId(arg0: IExperimentId): void; + + setHyperlinkProperty(arg0: string, arg1: string): void; + + setIntegerArrayProperty(arg0: string, arg1: number[]): void; + + setIntegerProperty(arg0: string, arg1: number): void; + + setJsonProperty(arg0: string, arg1: string): void; + + setMetaDataActions(arg0: ListUpdateAction<any>[]): void; + + setMultiValueBooleanProperty(arg0: string, arg1: boolean[]): void; + + setMultiValueControlledVocabularyProperty(arg0: string, arg1: string[]): void; + + setMultiValueHyperlinkProperty(arg0: string, arg1: string[]): void; + + setMultiValueIntegerArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueIntegerProperty(arg0: string, arg1: number[]): void; + + setMultiValueJsonProperty(arg0: string, arg1: string[]): void; + + setMultiValueRealArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueRealProperty(arg0: string, arg1: number[]): void; + + setMultiValueSampleProperty(arg0: string, arg1: SamplePermId[]): void; + + setMultiValueStringArrayProperty(arg0: string, arg1: string[][]): void; + + setMultiValueStringProperty(arg0: string, arg1: string[]): void; + + setMultiValueTimestampArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueTimestampProperty(arg0: string, arg1: number[]): void; + + setMultiValueXmlProperty(arg0: string, arg1: string[]): void; + + setProjectId(arg0: IProjectId): void; + + setProperties(arg0: { [index: string]: Serializable }): void; + + setProperty(arg0: string, arg1: Serializable): void; + + setRealArrayProperty(arg0: string, arg1: number[]): void; + + setRealProperty(arg0: string, arg1: number): void; + + setSampleProperty(arg0: string, arg1: SamplePermId): void; + + setStringArrayProperty(arg0: string, arg1: string[]): void; + + setStringProperty(arg0: string, arg1: string): void; + + setTimestampArrayProperty(arg0: string, arg1: number[]): void; + + setTimestampProperty(arg0: string, arg1: number): void; + + setXmlProperty(arg0: string, arg1: string): void; + + shouldBeFrozen(): boolean; + + shouldBeFrozenForDataSets(): boolean; + + shouldBeFrozenForSamples(): boolean; + } + + /** + */ + interface ExperimentUpdateConstructor { + + new (): ExperimentUpdate; + } + + interface ExportData extends Serializable { + + getFields(): IExportableFields; + + getPermIds(): ExportablePermId[]; + + setFields(arg0: IExportableFields): void; + + setPermIds(arg0: ExportablePermId[]): void; + } + + /** + */ + interface ExportDataConstructor { + + new (): ExportData; + + new (arg0: ExportablePermId[], arg1: IExportableFields): ExportData; + } + + /** + */ + interface ExportFormatObject { + /** + */ + DATA: ExportFormat<> = "DATA"; + /** + */ + HTML: ExportFormat<> = "HTML"; + /** + */ + PDF: ExportFormat<> = "PDF"; + /** + */ + XLSX: ExportFormat<> = "XLSX"; + } + + interface ExportOperation extends Serializable, IOperation { + + getExportData(): ExportData; + + getExportOptions(): ExportOptions; + + getMessage(): string; + + setExportData(arg0: ExportData): void; + + setExportOptions(arg0: ExportOptions): void; + } + + /** + */ + interface ExportOperationConstructor { + + new (): ExportOperation; + + new (arg0: ExportData, arg1: ExportOptions): ExportOperation; + } + + interface ExportOperationResult extends Serializable, as_dto_common_operation_IOperationResult { + + getExportResult(): ExportResult; + + getMessage(): string; + } + + /** + */ + interface ExportOperationResultConstructor { + + new (): ExportOperationResult; + + new (arg0: ExportResult): ExportOperationResult; + } + + interface ExportOptions extends Serializable { + + getFormats(): ExportFormat[]; + + getXlsTextFormat(): XlsTextFormat; + + isWithImportCompatibility(): boolean; + + isWithReferredTypes(): boolean; + + isZipForSingleFiles(): boolean; + + setFormats(arg0: ExportFormat[]): void; + + setWithImportCompatibility(arg0: boolean): void; + + setWithReferredTypes(arg0: boolean): void; + + setXlsTextFormat(arg0: XlsTextFormat): void; + + setZipSingleFiles(arg0: boolean): void; + } + + /** + */ + interface ExportOptionsConstructor { + + new (): ExportOptions; + + new (arg0: ExportFormat[], arg1: XlsTextFormat, arg2: boolean, arg3: boolean, arg4: boolean): ExportOptions; + } + + interface ExportResult extends Serializable { + + getDownloadURL(): string; + + getWarnings(): string[]; + + setDownloadURL(arg0: string): void; + + setWarnings(arg0: string[]): void; + } + + /** + */ + interface ExportResultConstructor { + + new (): ExportResult; + + new (arg0: string, arg1: string[]): ExportResult; + } + + /** + */ + interface ExportableKindObject { + /** + */ + DATASET: ExportableKind<> = "DATASET"; + /** + */ + DATASET_TYPE: ExportableKind<> = "DATASET_TYPE"; + /** + */ + EXPERIMENT: ExportableKind<> = "EXPERIMENT"; + /** + */ + EXPERIMENT_TYPE: ExportableKind<> = "EXPERIMENT_TYPE"; + /** + */ + PROJECT: ExportableKind<> = "PROJECT"; + /** + */ + SAMPLE: ExportableKind<> = "SAMPLE"; + /** + */ + SAMPLE_TYPE: ExportableKind<> = "SAMPLE_TYPE"; + /** + */ + SPACE: ExportableKind<> = "SPACE"; + /** + */ + VOCABULARY_TYPE: ExportableKind<> = "VOCABULARY_TYPE"; + } + + interface ExportablePermId extends Serializable { + + getExportableKind(): ExportableKind; + + getPermId(): string; + + setExportableKind(arg0: ExportableKind): void; + + setPermId(arg0: string): void; + } + + /** + */ + interface ExportablePermIdConstructor { + + new (): ExportablePermId; + + new (arg0: ExportableKind, arg1: string): ExportablePermId; + } + + interface ExternalCodeSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface ExternalCodeSearchCriteriaConstructor { + + new (): ExternalCodeSearchCriteria; + } + + interface ExternalDms extends Serializable, ICodeHolder { + + getAddress(): string; + + getAddressType(): ExternalDmsAddressType; + + getCode(): string; + + getFetchOptions(): ExternalDmsFetchOptions; + + getLabel(): string; + + getPermId(): ExternalDmsPermId; + + getUrlTemplate(): string; + + isOpenbis(): boolean; + + setAddress(arg0: string): void; + + setAddressType(arg0: ExternalDmsAddressType): void; + + setCode(arg0: string): void; + + setFetchOptions(arg0: ExternalDmsFetchOptions): void; + + setLabel(arg0: string): void; + + setOpenbis(arg0: boolean): void; + + setPermId(arg0: ExternalDmsPermId): void; + + setUrlTemplate(arg0: string): void; + } + + /** + */ + interface ExternalDmsAddressTypeObject { + /** + */ + FILE_SYSTEM: ExternalDmsAddressType<> = "FILE_SYSTEM"; + /** + */ + OPENBIS: ExternalDmsAddressType<> = "OPENBIS"; + /** + */ + URL: ExternalDmsAddressType<> = "URL"; + } + + /** + */ + interface ExternalDmsConstructor { + + new (): ExternalDms; + } + + interface ExternalDmsCreation extends ICreation, IObjectCreation, ICreationIdHolder { + + getAddress(): string; + + getAddressType(): ExternalDmsAddressType; + + getCode(): string; + + getCreationId(): CreationId; + + getLabel(): string; + + setAddress(arg0: string): void; + + setAddressType(arg0: ExternalDmsAddressType): void; + + setCode(arg0: string): void; + + setCreationId(arg0: CreationId): void; + + setLabel(arg0: string): void; + } + + /** + */ + interface ExternalDmsCreationConstructor { + + new (): ExternalDmsCreation; + } + + interface ExternalDmsDeletionOptions extends AbstractObjectDeletionOptions<ExternalDmsDeletionOptions> { + + getReason(): string; + + setReason(arg0: string): ExternalDmsDeletionOptions; + } + + /** + */ + interface ExternalDmsDeletionOptionsConstructor { + + new (): ExternalDmsDeletionOptions; + } + + interface ExternalDmsFetchOptions extends FetchOptions<ExternalDms>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<ExternalDms>; + + count(arg0: number): FetchOptions<ExternalDms>; + + from(arg0: number): FetchOptions<ExternalDms>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): ExternalDmsSortOptions; + + sortBy(): ExternalDmsSortOptions; + } + + /** + */ + interface ExternalDmsFetchOptionsConstructor { + + new (): ExternalDmsFetchOptions; + } + + interface ExternalDmsPermId extends ObjectPermId, IExternalDmsId { + + getPermId(): string; + } + + /** + */ + interface ExternalDmsPermIdConstructor { + + new (arg0: string): ExternalDmsPermId; + } + + interface ExternalDmsSortOptions extends SortOptions<ExternalDms> { + + getSortings(): Sorting[]; + } + + /** + */ + interface ExternalDmsSortOptionsConstructor { + + new (): ExternalDmsSortOptions; + } + + interface ExternalDmsTypeSearchCriteria extends EnumFieldSearchCriteria<ExternalDmsAddressType> { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): ExternalDmsAddressType; + + isNegated(): boolean; + + setFieldValue(arg0: ExternalDmsAddressType): void; + + thatEquals(arg0: ExternalDmsAddressType): void; + } + + /** + */ + interface ExternalDmsTypeSearchCriteriaConstructor { + + new (): ExternalDmsTypeSearchCriteria; + } + + interface ExternalDmsUpdate extends IUpdate, IObjectUpdate<IExternalDmsId> { + + getAddress(): FieldUpdateValue<string>; + + getExternalDmsId(): IExternalDmsId; + + getLabel(): FieldUpdateValue<string>; + + getObjectId(): IExternalDmsId; + + setAddress(arg0: string): void; + + setExternalDmsId(arg0: IExternalDmsId): void; + + setLabel(arg0: string): void; + } + + /** + */ + interface ExternalDmsUpdateConstructor { + + new (): ExternalDmsUpdate; + } + + interface FastDownloadSession extends Serializable { + + getDownloadUrl(): string; + + getFileTransferUserSessionId(): string; + + getFiles(): IDataSetFileId[]; + + getOptions(): FastDownloadSessionOptions; + } + + /** + */ + interface FastDownloadSessionConstructor { + + new (arg0: string, arg1: string, arg2: IDataSetFileId[], arg3: FastDownloadSessionOptions): FastDownloadSession; + } + + interface FastDownloadSessionOptions extends Serializable { + + getWishedNumberOfStreams(): number; + + withWishedNumberOfStreams(arg0: number): FastDownloadSessionOptions; + } + + /** + */ + interface FastDownloadSessionOptionsConstructor { + + new (): FastDownloadSessionOptions; + } + + interface FetchOptions<OBJECT extends any> extends Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<OBJECT>; + + count(arg0: number): FetchOptions<OBJECT>; + + from(arg0: number): FetchOptions<OBJECT>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): SortOptions<OBJECT>; + + sortBy(): SortOptions<OBJECT>; + } + + /** + */ + interface FetchOptionsConstructor { + + new <OBJECT extends any>(): FetchOptions<OBJECT>; + } + + interface FieldUpdateValue<T extends any> extends Serializable { + + getValue(): T; + + isModified(): boolean; + + setValue(arg0: T): void; + } + + /** + */ + interface FieldUpdateValueConstructor { + + new <T extends any>(): FieldUpdateValue<T>; + } + + /** + * @deprecated + */ + interface FileFormatType extends Serializable, ICodeHolder { + + getCode(): string; + + getDescription(): string; + + getFetchOptions(): FileFormatTypeFetchOptions; + + setCode(arg0: string): void; + + setDescription(arg0: string): void; + + setFetchOptions(arg0: FileFormatTypeFetchOptions): void; + } + + /** + */ + interface FileFormatTypeConstructor { + + new (): FileFormatType; + } + + /** + * @deprecated + */ + interface FileFormatTypeFetchOptions extends FetchOptions<FileFormatType>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<FileFormatType>; + + count(arg0: number): FetchOptions<FileFormatType>; + + from(arg0: number): FetchOptions<FileFormatType>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): FileFormatTypeSortOptions; + + sortBy(): FileFormatTypeSortOptions; + } + + /** + */ + interface FileFormatTypeFetchOptionsConstructor { + + new (): FileFormatTypeFetchOptions; + } + + /** + * @deprecated + */ + interface FileFormatTypePermId extends ObjectPermId, IFileFormatTypeId { + + getPermId(): string; + } + + /** + */ + interface FileFormatTypePermIdConstructor { + + new (arg0: string): FileFormatTypePermId; + } + + /** + * @deprecated + */ + interface FileFormatTypeSearchCriteria extends AbstractCompositeSearchCriteria { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withCode(): CodeSearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + } + + /** + */ + interface FileFormatTypeSearchCriteriaConstructor { + + new (): FileFormatTypeSearchCriteria; + } + + /** + * @deprecated + */ + interface FileFormatTypeSortOptions extends SortOptions<FileFormatType> { + + getSortings(): Sorting[]; + } + + /** + */ + interface FileFormatTypeSortOptionsConstructor { + + new (): FileFormatTypeSortOptions; + } + + interface FirstNameSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface FirstNameSearchCriteriaConstructor { + + new (): FirstNameSearchCriteria; + } + + interface FullDataSetCreation extends ICreation { + + getFileMetadata(): DataSetFileCreation[]; + + getMetadataCreation(): DataSetCreation; + + setFileMetadata(arg0: DataSetFileCreation[]): void; + + setMetadataCreation(arg0: DataSetCreation): void; + } + + /** + */ + interface FullDataSetCreationConstructor { + + new (): FullDataSetCreation; + } + + interface GetAuthorizationGroupsOperation extends GetObjectsOperation<IAuthorizationGroupId, AuthorizationGroupFetchOptions> { + + getFetchOptions(): AuthorizationGroupFetchOptions; + + getMessage(): string; + + getObjectIds(): IAuthorizationGroupId[]; + } + + /** + */ + interface GetAuthorizationGroupsOperationConstructor { + + new (arg0: IAuthorizationGroupId[], arg1: AuthorizationGroupFetchOptions): GetAuthorizationGroupsOperation; + } + + interface GetAuthorizationGroupsOperationResult extends GetObjectsOperationResult<IAuthorizationGroupId, AuthorizationGroup> { + + getMessage(): string; + + getObjectMap(): { [index: string]: AuthorizationGroup }; + } + + /** + */ + interface GetAuthorizationGroupsOperationResultConstructor { + + new (arg0: { [index: string]: AuthorizationGroup }): GetAuthorizationGroupsOperationResult; + } + + interface GetDataSetTypesOperation extends GetObjectsOperation<IEntityTypeId, DataSetTypeFetchOptions> { + + getFetchOptions(): DataSetTypeFetchOptions; + + getMessage(): string; + + getObjectIds(): IEntityTypeId[]; + } + + /** + */ + interface GetDataSetTypesOperationConstructor { + + new (arg0: IEntityTypeId[], arg1: DataSetTypeFetchOptions): GetDataSetTypesOperation; + } + + interface GetDataSetTypesOperationResult extends GetObjectsOperationResult<IEntityTypeId, DataSetType> { + + getMessage(): string; + + getObjectMap(): { [index: string]: DataSetType }; + } + + /** + */ + interface GetDataSetTypesOperationResultConstructor { + + new (arg0: { [index: string]: DataSetType }): GetDataSetTypesOperationResult; + } + + interface GetDataSetsOperation extends GetObjectsOperation<IDataSetId, DataSetFetchOptions> { + + getFetchOptions(): DataSetFetchOptions; + + getMessage(): string; + + getObjectIds(): IDataSetId[]; + } + + /** + */ + interface GetDataSetsOperationConstructor { + + new (arg0: IDataSetId[], arg1: DataSetFetchOptions): GetDataSetsOperation; + } + + interface GetDataSetsOperationResult extends GetObjectsOperationResult<IDataSetId, DataSet> { + + getMessage(): string; + + getObjectMap(): { [index: string]: DataSet }; + } + + /** + */ + interface GetDataSetsOperationResultConstructor { + + new (arg0: { [index: string]: DataSet }): GetDataSetsOperationResult; + } + + interface GetExperimentTypesOperation extends GetObjectsOperation<IEntityTypeId, ExperimentTypeFetchOptions> { + + getFetchOptions(): ExperimentTypeFetchOptions; + + getMessage(): string; + + getObjectIds(): IEntityTypeId[]; + } + + /** + */ + interface GetExperimentTypesOperationConstructor { + + new (arg0: IEntityTypeId[], arg1: ExperimentTypeFetchOptions): GetExperimentTypesOperation; + } + + interface GetExperimentTypesOperationResult extends GetObjectsOperationResult<IEntityTypeId, ExperimentType> { + + getMessage(): string; + + getObjectMap(): { [index: string]: ExperimentType }; + } + + /** + */ + interface GetExperimentTypesOperationResultConstructor { + + new (arg0: { [index: string]: ExperimentType }): GetExperimentTypesOperationResult; + } + + interface GetExperimentsOperation extends GetObjectsOperation<IExperimentId, ExperimentFetchOptions> { + + getFetchOptions(): ExperimentFetchOptions; + + getMessage(): string; + + getObjectIds(): IExperimentId[]; + } + + /** + */ + interface GetExperimentsOperationConstructor { + + new (arg0: IExperimentId[], arg1: ExperimentFetchOptions): GetExperimentsOperation; + } + + interface GetExperimentsOperationResult extends GetObjectsOperationResult<IExperimentId, Experiment> { + + getMessage(): string; + + getObjectMap(): { [index: string]: Experiment }; + } + + /** + */ + interface GetExperimentsOperationResultConstructor { + + new (arg0: { [index: string]: Experiment }): GetExperimentsOperationResult; + } + + interface GetExternalDmsOperation extends GetObjectsOperation<IExternalDmsId, ExternalDmsFetchOptions> { + + getFetchOptions(): ExternalDmsFetchOptions; + + getMessage(): string; + + getObjectIds(): IExternalDmsId[]; + } + + /** + */ + interface GetExternalDmsOperationConstructor { + + new (arg0: IExternalDmsId[], arg1: ExternalDmsFetchOptions): GetExternalDmsOperation; + } + + interface GetExternalDmsOperationResult extends GetObjectsOperationResult<IExternalDmsId, ExternalDms> { + + getMessage(): string; + + getObjectMap(): { [index: string]: ExternalDms }; + } + + /** + */ + interface GetExternalDmsOperationResultConstructor { + + new (arg0: { [index: string]: ExternalDms }): GetExternalDmsOperationResult; + } + + interface GetMaterialTypesOperation extends GetObjectsOperation<IEntityTypeId, MaterialTypeFetchOptions> { + + getFetchOptions(): MaterialTypeFetchOptions; + + getMessage(): string; + + getObjectIds(): IEntityTypeId[]; + } + + /** + */ + interface GetMaterialTypesOperationConstructor { + + new (arg0: IEntityTypeId[], arg1: MaterialTypeFetchOptions): GetMaterialTypesOperation; + } + + interface GetMaterialTypesOperationResult extends GetObjectsOperationResult<IEntityTypeId, MaterialType> { + + getMessage(): string; + + getObjectMap(): { [index: string]: MaterialType }; + } + + /** + */ + interface GetMaterialTypesOperationResultConstructor { + + new (arg0: { [index: string]: MaterialType }): GetMaterialTypesOperationResult; + } + + interface GetMaterialsOperation extends GetObjectsOperation<IMaterialId, MaterialFetchOptions> { + + getFetchOptions(): MaterialFetchOptions; + + getMessage(): string; + + getObjectIds(): IMaterialId[]; + } + + /** + */ + interface GetMaterialsOperationConstructor { + + new (arg0: IMaterialId[], arg1: MaterialFetchOptions): GetMaterialsOperation; + } + + interface GetMaterialsOperationResult extends GetObjectsOperationResult<IMaterialId, Material> { + + getMessage(): string; + + getObjectMap(): { [index: string]: Material }; + } + + /** + */ + interface GetMaterialsOperationResultConstructor { + + new (arg0: { [index: string]: Material }): GetMaterialsOperationResult; + } + + interface GetObjectsOperation<ID extends IObjectId, FETCH_OPTIONS extends FetchOptions<any>> extends IOperation { + + getFetchOptions(): FETCH_OPTIONS; + + getMessage(): string; + + getObjectIds(): ID[]; + } + + /** + */ + interface GetObjectsOperationConstructor { + + new <ID extends IObjectId, FETCH_OPTIONS extends FetchOptions<any>>(arg0: ID[], arg1: FETCH_OPTIONS): GetObjectsOperation<ID, FETCH_OPTIONS>; + } + + interface GetObjectsOperationResult<ID extends IObjectId, OBJECT extends any> extends as_dto_common_operation_IOperationResult { + + getMessage(): string; + + getObjectMap(): { [index: string]: OBJECT }; + } + + /** + */ + interface GetObjectsOperationResultConstructor { + + new <ID extends IObjectId, OBJECT extends any>(arg0: { [index: string]: OBJECT }): GetObjectsOperationResult<ID, OBJECT>; + } + + interface GetOperationExecutionsOperation extends GetObjectsOperation<IOperationExecutionId, OperationExecutionFetchOptions> { + + getFetchOptions(): OperationExecutionFetchOptions; + + getMessage(): string; + + getObjectIds(): IOperationExecutionId[]; + } + + /** + */ + interface GetOperationExecutionsOperationConstructor { + + new (arg0: IOperationExecutionId[], arg1: OperationExecutionFetchOptions): GetOperationExecutionsOperation; + } + + interface GetOperationExecutionsOperationResult extends GetObjectsOperationResult<IOperationExecutionId, OperationExecution> { + + getMessage(): string; + + getObjectMap(): { [index: string]: OperationExecution }; + } + + /** + */ + interface GetOperationExecutionsOperationResultConstructor { + + new (arg0: { [index: string]: OperationExecution }): GetOperationExecutionsOperationResult; + } + + interface GetPersonalAccessTokensOperation extends GetObjectsOperation<IPersonalAccessTokenId, PersonalAccessTokenFetchOptions> { + + getFetchOptions(): PersonalAccessTokenFetchOptions; + + getMessage(): string; + + getObjectIds(): IPersonalAccessTokenId[]; + } + + /** + */ + interface GetPersonalAccessTokensOperationConstructor { + + new (arg0: IPersonalAccessTokenId[], arg1: PersonalAccessTokenFetchOptions): GetPersonalAccessTokensOperation; + } + + interface GetPersonalAccessTokensOperationResult extends GetObjectsOperationResult<IPersonalAccessTokenId, PersonalAccessToken> { + + getMessage(): string; + + getObjectMap(): { [index: string]: PersonalAccessToken }; + } + + /** + */ + interface GetPersonalAccessTokensOperationResultConstructor { + + new (arg0: { [index: string]: PersonalAccessToken }): GetPersonalAccessTokensOperationResult; + } + + interface GetPersonsOperation extends GetObjectsOperation<IPersonId, PersonFetchOptions> { + + getFetchOptions(): PersonFetchOptions; + + getMessage(): string; + + getObjectIds(): IPersonId[]; + } + + /** + */ + interface GetPersonsOperationConstructor { + + new (arg0: IPersonId[], arg1: PersonFetchOptions): GetPersonsOperation; + } + + interface GetPersonsOperationResult extends GetObjectsOperationResult<IPersonId, Person> { + + getMessage(): string; + + getObjectMap(): { [index: string]: Person }; + } + + /** + */ + interface GetPersonsOperationResultConstructor { + + new (arg0: { [index: string]: Person }): GetPersonsOperationResult; + } + + interface GetPluginsOperation extends GetObjectsOperation<IPluginId, PluginFetchOptions> { + + getFetchOptions(): PluginFetchOptions; + + getMessage(): string; + + getObjectIds(): IPluginId[]; + } + + /** + */ + interface GetPluginsOperationConstructor { + + new (arg0: IPluginId[], arg1: PluginFetchOptions): GetPluginsOperation; + } + + interface GetPluginsOperationResult extends GetObjectsOperationResult<IPluginId, Plugin> { + + getMessage(): string; + + getObjectMap(): { [index: string]: Plugin }; + } + + /** + */ + interface GetPluginsOperationResultConstructor { + + new (arg0: { [index: string]: Plugin }): GetPluginsOperationResult; + } + + interface GetProjectsOperation extends GetObjectsOperation<IProjectId, ProjectFetchOptions> { + + getFetchOptions(): ProjectFetchOptions; + + getMessage(): string; + + getObjectIds(): IProjectId[]; + } + + /** + */ + interface GetProjectsOperationConstructor { + + new (arg0: IProjectId[], arg1: ProjectFetchOptions): GetProjectsOperation; + } + + interface GetProjectsOperationResult extends GetObjectsOperationResult<IProjectId, Project> { + + getMessage(): string; + + getObjectMap(): { [index: string]: Project }; + } + + /** + */ + interface GetProjectsOperationResultConstructor { + + new (arg0: { [index: string]: Project }): GetProjectsOperationResult; + } + + interface GetPropertyTypesOperation extends GetObjectsOperation<IPropertyTypeId, PropertyTypeFetchOptions> { + + getFetchOptions(): PropertyTypeFetchOptions; + + getMessage(): string; + + getObjectIds(): IPropertyTypeId[]; + } + + /** + */ + interface GetPropertyTypesOperationConstructor { + + new (arg0: IPropertyTypeId[], arg1: PropertyTypeFetchOptions): GetPropertyTypesOperation; + } + + interface GetPropertyTypesOperationResult extends GetObjectsOperationResult<IPropertyTypeId, PropertyType> { + + getMessage(): string; + + getObjectMap(): { [index: string]: PropertyType }; + } + + /** + */ + interface GetPropertyTypesOperationResultConstructor { + + new (arg0: { [index: string]: PropertyType }): GetPropertyTypesOperationResult; + } + + interface GetQueriesOperation extends GetObjectsOperation<IQueryId, QueryFetchOptions> { + + getFetchOptions(): QueryFetchOptions; + + getMessage(): string; + + getObjectIds(): IQueryId[]; + } + + /** + */ + interface GetQueriesOperationConstructor { + + new (arg0: IQueryId[], arg1: QueryFetchOptions): GetQueriesOperation; + } + + interface GetQueriesOperationResult extends GetObjectsOperationResult<IQueryId, Query> { + + getMessage(): string; + + getObjectMap(): { [index: string]: Query }; + } + + /** + */ + interface GetQueriesOperationResultConstructor { + + new (arg0: { [index: string]: Query }): GetQueriesOperationResult; + } + + interface GetQueryDatabasesOperation extends GetObjectsOperation<IQueryDatabaseId, QueryDatabaseFetchOptions> { + + getFetchOptions(): QueryDatabaseFetchOptions; + + getMessage(): string; + + getObjectIds(): IQueryDatabaseId[]; + } + + /** + */ + interface GetQueryDatabasesOperationConstructor { + + new (arg0: IQueryDatabaseId[], arg1: QueryDatabaseFetchOptions): GetQueryDatabasesOperation; + } + + interface GetQueryDatabasesOperationResult extends GetObjectsOperationResult<IQueryDatabaseId, QueryDatabase> { + + getMessage(): string; + + getObjectMap(): { [index: string]: QueryDatabase }; + } + + /** + */ + interface GetQueryDatabasesOperationResultConstructor { + + new (arg0: { [index: string]: QueryDatabase }): GetQueryDatabasesOperationResult; + } + + interface GetRightsOperation extends GetObjectsOperation<IObjectId, RightsFetchOptions> { + + getFetchOptions(): RightsFetchOptions; + + getMessage(): string; + + getObjectIds(): IObjectId[]; + } + + /** + */ + interface GetRightsOperationConstructor { + + new (arg0: IObjectId[], arg1: RightsFetchOptions): GetRightsOperation; + } + + interface GetRightsOperationResult extends GetObjectsOperationResult<IObjectId, Rights> { + + getMessage(): string; + + getObjectMap(): { [index: string]: Rights }; + } + + /** + */ + interface GetRightsOperationResultConstructor { + + new (arg0: { [index: string]: Rights }): GetRightsOperationResult; + } + + interface GetRoleAssignmentsOperation extends GetObjectsOperation<IRoleAssignmentId, RoleAssignmentFetchOptions> { + + getFetchOptions(): RoleAssignmentFetchOptions; + + getMessage(): string; + + getObjectIds(): IRoleAssignmentId[]; + } + + /** + */ + interface GetRoleAssignmentsOperationConstructor { + + new (arg0: IRoleAssignmentId[], arg1: RoleAssignmentFetchOptions): GetRoleAssignmentsOperation; + } + + interface GetRoleAssignmentsOperationResult extends GetObjectsOperationResult<IRoleAssignmentId, RoleAssignment> { + + getMessage(): string; + + getObjectMap(): { [index: string]: RoleAssignment }; + } + + /** + */ + interface GetRoleAssignmentsOperationResultConstructor { + + new (arg0: { [index: string]: RoleAssignment }): GetRoleAssignmentsOperationResult; + } + + interface GetSampleTypesOperation extends GetObjectsOperation<IEntityTypeId, SampleTypeFetchOptions> { + + getFetchOptions(): SampleTypeFetchOptions; + + getMessage(): string; + + getObjectIds(): IEntityTypeId[]; + } + + /** + */ + interface GetSampleTypesOperationConstructor { + + new (arg0: IEntityTypeId[], arg1: SampleTypeFetchOptions): GetSampleTypesOperation; + } + + interface GetSampleTypesOperationResult extends GetObjectsOperationResult<IEntityTypeId, SampleType> { + + getMessage(): string; + + getObjectMap(): { [index: string]: SampleType }; + } + + /** + */ + interface GetSampleTypesOperationResultConstructor { + + new (arg0: { [index: string]: SampleType }): GetSampleTypesOperationResult; + } + + interface GetSamplesOperation extends GetObjectsOperation<ISampleId, SampleFetchOptions> { + + getFetchOptions(): SampleFetchOptions; + + getMessage(): string; + + getObjectIds(): ISampleId[]; + } + + /** + */ + interface GetSamplesOperationConstructor { + + new (arg0: ISampleId[], arg1: SampleFetchOptions): GetSamplesOperation; + } + + interface GetSamplesOperationResult extends GetObjectsOperationResult<ISampleId, Sample> { + + getMessage(): string; + + getObjectMap(): { [index: string]: Sample }; + } + + /** + */ + interface GetSamplesOperationResultConstructor { + + new (arg0: { [index: string]: Sample }): GetSamplesOperationResult; + } + + interface GetSemanticAnnotationsOperation extends GetObjectsOperation<ISemanticAnnotationId, SemanticAnnotationFetchOptions> { + + getFetchOptions(): SemanticAnnotationFetchOptions; + + getMessage(): string; + + getObjectIds(): ISemanticAnnotationId[]; + } + + /** + */ + interface GetSemanticAnnotationsOperationConstructor { + + new (arg0: ISemanticAnnotationId[], arg1: SemanticAnnotationFetchOptions): GetSemanticAnnotationsOperation; + } + + interface GetSemanticAnnotationsOperationResult extends GetObjectsOperationResult<ISemanticAnnotationId, SemanticAnnotation> { + + getMessage(): string; + + getObjectMap(): { [index: string]: SemanticAnnotation }; + } + + /** + */ + interface GetSemanticAnnotationsOperationResultConstructor { + + new (arg0: { [index: string]: SemanticAnnotation }): GetSemanticAnnotationsOperationResult; + } + + interface GetServerInformationOperation extends IOperation { + + getMessage(): string; + } + + /** + */ + interface GetServerInformationOperationConstructor { + + new (): GetServerInformationOperation; + } + + interface GetServerInformationOperationResult extends as_dto_common_operation_IOperationResult { + + getMessage(): string; + + getServerInformation(): { [index: string]: string }; + } + + /** + */ + interface GetServerInformationOperationResultConstructor { + + new (arg0: { [index: string]: string }): GetServerInformationOperationResult; + } + + interface GetServerPublicInformationOperation extends IOperation { + + getMessage(): string; + } + + /** + */ + interface GetServerPublicInformationOperationConstructor { + + new (): GetServerPublicInformationOperation; + } + + interface GetServerPublicInformationOperationResult extends as_dto_common_operation_IOperationResult { + + getMessage(): string; + + getServerInformation(): { [index: string]: string }; + } + + /** + */ + interface GetServerPublicInformationOperationResultConstructor { + + new (arg0: { [index: string]: string }): GetServerPublicInformationOperationResult; + } + + interface GetSessionInformationOperation extends IOperation { + + getMessage(): string; + } + + /** + */ + interface GetSessionInformationOperationConstructor { + + new (): GetSessionInformationOperation; + } + + interface GetSessionInformationOperationResult extends as_dto_common_operation_IOperationResult { + + getMessage(): string; + + getSessionInformation(): SessionInformation; + } + + /** + */ + interface GetSessionInformationOperationResultConstructor { + + new (arg0: SessionInformation): GetSessionInformationOperationResult; + } + + interface GetSpacesOperation extends GetObjectsOperation<ISpaceId, SpaceFetchOptions> { + + getFetchOptions(): SpaceFetchOptions; + + getMessage(): string; + + getObjectIds(): ISpaceId[]; + } + + /** + */ + interface GetSpacesOperationConstructor { + + new (arg0: ISpaceId[], arg1: SpaceFetchOptions): GetSpacesOperation; + } + + interface GetSpacesOperationResult extends GetObjectsOperationResult<ISpaceId, Space> { + + getMessage(): string; + + getObjectMap(): { [index: string]: Space }; + } + + /** + */ + interface GetSpacesOperationResultConstructor { + + new (arg0: { [index: string]: Space }): GetSpacesOperationResult; + } + + interface GetTagsOperation extends GetObjectsOperation<ITagId, TagFetchOptions> { + + getFetchOptions(): TagFetchOptions; + + getMessage(): string; + + getObjectIds(): ITagId[]; + } + + /** + */ + interface GetTagsOperationConstructor { + + new (arg0: ITagId[], arg1: TagFetchOptions): GetTagsOperation; + } + + interface GetTagsOperationResult extends GetObjectsOperationResult<ITagId, Tag> { + + getMessage(): string; + + getObjectMap(): { [index: string]: Tag }; + } + + /** + */ + interface GetTagsOperationResultConstructor { + + new (arg0: { [index: string]: Tag }): GetTagsOperationResult; + } + + interface GetVocabulariesOperation extends GetObjectsOperation<IVocabularyId, VocabularyFetchOptions> { + + getFetchOptions(): VocabularyFetchOptions; + + getMessage(): string; + + getObjectIds(): IVocabularyId[]; + } + + /** + */ + interface GetVocabulariesOperationConstructor { + + new (arg0: IVocabularyId[], arg1: VocabularyFetchOptions): GetVocabulariesOperation; + } + + interface GetVocabulariesOperationResult extends GetObjectsOperationResult<IVocabularyId, Vocabulary> { + + getMessage(): string; + + getObjectMap(): { [index: string]: Vocabulary }; + } + + /** + */ + interface GetVocabulariesOperationResultConstructor { + + new (arg0: { [index: string]: Vocabulary }): GetVocabulariesOperationResult; + } + + interface GetVocabularyTermsOperation extends GetObjectsOperation<IVocabularyTermId, VocabularyTermFetchOptions> { + + getFetchOptions(): VocabularyTermFetchOptions; + + getMessage(): string; + + getObjectIds(): IVocabularyTermId[]; + } + + /** + */ + interface GetVocabularyTermsOperationConstructor { + + new (arg0: IVocabularyTermId[], arg1: VocabularyTermFetchOptions): GetVocabularyTermsOperation; + } + + interface GetVocabularyTermsOperationResult extends GetObjectsOperationResult<IVocabularyTermId, VocabularyTerm> { + + getMessage(): string; + + getObjectMap(): { [index: string]: VocabularyTerm }; + } + + /** + */ + interface GetVocabularyTermsOperationResultConstructor { + + new (arg0: { [index: string]: VocabularyTerm }): GetVocabularyTermsOperationResult; + } + + interface GitCommitHashSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface GitCommitHashSearchCriteriaConstructor { + + new (): GitCommitHashSearchCriteria; + } + + interface GitRepositoryIdSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface GitRepositoryIdSearchCriteriaConstructor { + + new (): GitRepositoryIdSearchCriteria; + } + + interface GlobalSearchCriteria extends AbstractCompositeSearchCriteria { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): GlobalSearchCriteria; + + withObjectKind(): GlobalSearchObjectKindCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): GlobalSearchCriteria; + + withText(): GlobalSearchTextCriteria; + + withWildCards(): GlobalSearchWildCardsCriteria; + } + + /** + */ + interface GlobalSearchCriteriaConstructor { + + new (): GlobalSearchCriteria; + } + + interface GlobalSearchObject extends Serializable { + + getDataSet(): DataSet; + + getExperiment(): Experiment; + + getFetchOptions(): GlobalSearchObjectFetchOptions; + + getMatch(): string; + + getMaterial(): Material; + + getObjectIdentifier(): IObjectId; + + getObjectKind(): GlobalSearchObjectKind; + + getObjectPermId(): IObjectId; + + getSample(): Sample; + + getScore(): number; + + setDataSet(arg0: DataSet): void; + + setExperiment(arg0: Experiment): void; + + setFetchOptions(arg0: GlobalSearchObjectFetchOptions): void; + + setMatch(arg0: string): void; + + setMaterial(arg0: Material): void; + + setObjectIdentifier(arg0: IObjectId): void; + + setObjectKind(arg0: GlobalSearchObjectKind): void; + + setObjectPermId(arg0: IObjectId): void; + + setSample(arg0: Sample): void; + + setScore(arg0: number): void; + } + + /** + */ + interface GlobalSearchObjectConstructor { + + new (): GlobalSearchObject; + } + + interface GlobalSearchObjectFetchOptions extends FetchOptions<GlobalSearchObject>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<GlobalSearchObject>; + + count(arg0: number): FetchOptions<GlobalSearchObject>; + + from(arg0: number): FetchOptions<GlobalSearchObject>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): GlobalSearchObjectSortOptions; + + hasDataSet(): boolean; + + hasExperiment(): boolean; + + hasMatch(): boolean; + + hasMaterial(): boolean; + + hasSample(): boolean; + + sortBy(): GlobalSearchObjectSortOptions; + + withDataSet(): DataSetFetchOptions; + + withDataSetUsing(arg0: DataSetFetchOptions): DataSetFetchOptions; + + withExperiment(): ExperimentFetchOptions; + + withExperimentUsing(arg0: ExperimentFetchOptions): ExperimentFetchOptions; + + withMatch(): MatchFetchOptions; + + withMatchUsing(arg0: MatchFetchOptions): MatchFetchOptions; + + withMaterial(): MaterialFetchOptions; + + withMaterialUsing(arg0: MaterialFetchOptions): MaterialFetchOptions; + + withSample(): SampleFetchOptions; + + withSampleUsing(arg0: SampleFetchOptions): SampleFetchOptions; + } + + /** + */ + interface GlobalSearchObjectFetchOptionsConstructor { + + new (): GlobalSearchObjectFetchOptions; + } + + interface GlobalSearchObjectKindCriteria extends AbstractSearchCriteria { + + getObjectKinds(): GlobalSearchObjectKind[]; + + isNegated(): boolean; + + thatIn(arg0: GlobalSearchObjectKind[]): void; + + thatIn(arg0: GlobalSearchObjectKind[]): void; + } + + /** + */ + interface GlobalSearchObjectKindCriteriaConstructor { + + new (): GlobalSearchObjectKindCriteria; + } + + /** + */ + interface GlobalSearchObjectKindObject { + /** + */ + DATA_SET: GlobalSearchObjectKind<> = "DATA_SET"; + /** + */ + EXPERIMENT: GlobalSearchObjectKind<> = "EXPERIMENT"; + /** + */ + MATERIAL: GlobalSearchObjectKind<> = "MATERIAL"; + /** + */ + SAMPLE: GlobalSearchObjectKind<> = "SAMPLE"; + } + + interface GlobalSearchObjectSortOptions extends SortOptions<GlobalSearchObject> { + + getSortings(): Sorting[]; + + objectIdentifier(): SortOrder; + + objectKind(): SortOrder; + + objectPermId(): SortOrder; + + score(): SortOrder; + } + + /** + */ + interface GlobalSearchObjectSortOptionsConstructor { + + new (): GlobalSearchObjectSortOptions; + } + + interface GlobalSearchTextCriteria extends AbstractFieldSearchCriteria<AbstractStringValue> { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatContainsExactly(arg0: string): void; + + thatMatches(arg0: string): void; + + thatStartsWith(arg0: string): void; + } + + /** + */ + interface GlobalSearchTextCriteriaConstructor { + + new (): GlobalSearchTextCriteria; + } + + interface GlobalSearchWildCardsCriteria extends AbstractSearchCriteria { + + isNegated(): boolean; + } + + /** + */ + interface GlobalSearchWildCardsCriteriaConstructor { + + new (): GlobalSearchWildCardsCriteria; + } + + interface HistoryEntry extends Serializable { + + getAuthor(): Person; + + getFetchOptions(): HistoryEntryFetchOptions; + + getValidFrom(): number; + + getValidTo(): number; + + setAuthor(arg0: Person): void; + + setFetchOptions(arg0: HistoryEntryFetchOptions): void; + + setValidFrom(arg0: number): void; + + setValidTo(arg0: number): void; + } + + /** + */ + interface HistoryEntryConstructor { + + new (): HistoryEntry; + } + + interface HistoryEntryFetchOptions extends FetchOptions<HistoryEntry>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<HistoryEntry>; + + count(arg0: number): FetchOptions<HistoryEntry>; + + from(arg0: number): FetchOptions<HistoryEntry>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): HistoryEntrySortOptions; + + hasAuthor(): boolean; + + sortBy(): HistoryEntrySortOptions; + + withAuthor(): PersonFetchOptions; + + withAuthorUsing(arg0: PersonFetchOptions): PersonFetchOptions; + } + + /** + */ + interface HistoryEntryFetchOptionsConstructor { + + new (): HistoryEntryFetchOptions; + } + + interface HistoryEntrySortOptions extends SortOptions<HistoryEntry> { + + getSortings(): Sorting[]; + } + + /** + */ + interface HistoryEntrySortOptionsConstructor { + + new (): HistoryEntrySortOptions; + } + + interface IAttachmentId extends IObjectId { + } + + interface IAttachmentsHolder { + + getAttachments(): Attachment[]; + } + + interface IAuthorizationGroupId extends IObjectId { + } + + interface ICodeHolder { + + getCode(): string; + } + + interface IContentCopyId extends IObjectId { + } + + interface ICreation extends Serializable { + } + + interface ICreationIdHolder { + + getCreationId(): CreationId; + } + + interface ICustomASServiceId extends IObjectId { + } + + interface ICustomDSSServiceId extends IObjectId { + } + + interface IDataSetCodesHolder { + + getDataSetCodes(): string[]; + } + + interface IDataSetFileId extends IObjectId { + } + + interface IDataSetId extends IObjectId { + } + + interface IDataSetsHolder { + + getDataSets(): DataSet[]; + } + + interface IDataStoreId extends IObjectId { + } + + interface IDate extends Serializable { + } + + interface IDateFormat extends Serializable { + + getFormat(): string; + } + + interface IDeletionId extends IObjectId { + } + + interface IDescriptionHolder { + + getDescription(): string; + } + + interface IDssServiceId extends IObjectId { + } + + interface IEntityType extends ICodeHolder, IDescriptionHolder, IModificationDateHolder, IPermIdHolder, IPropertyAssignmentsHolder, IValidationPluginHolder { + + getCode(): string; + + getDescription(): string; + + getModificationDate(): number; + + getPermId(): IObjectId; + + getPropertyAssignments(): PropertyAssignment[]; + + getValidationPlugin(): Plugin; + } + + interface IEntityTypeCreation extends ICreation, IObjectCreation { + + getCode(): string; + + getDescription(): string; + + getPropertyAssignments(): PropertyAssignmentCreation[]; + + getValidationPluginId(): IPluginId; + + setCode(arg0: string): void; + + setDescription(arg0: string): void; + + setPropertyAssignments(arg0: PropertyAssignmentCreation[]): void; + + setValidationPluginId(arg0: IPluginId): void; + } + + interface IEntityTypeHolder { + + getType(): IEntityType; + } + + interface IEntityTypeId extends IObjectId { + } + + interface IEntityTypeUpdate extends IUpdate, IObjectUpdate<IEntityTypeId> { + + getDescription(): FieldUpdateValue<string>; + + getObjectId(): IEntityTypeId; + + getPropertyAssignments(): PropertyAssignmentListUpdateValue; + + getTypeId(): IEntityTypeId; + + getValidationPluginId(): FieldUpdateValue<IPluginId>; + + setDescription(arg0: string): void; + + setPropertyAssignmentActions(arg0: ListUpdateAction<any>[]): void; + + setTypeId(arg0: IEntityTypeId): void; + + setValidationPluginId(arg0: IPluginId): void; + } + + interface IEventId extends IObjectId { + } + + interface IExperimentHolder { + + getExperiment(): Experiment; + } + + interface IExperimentId extends IObjectId { + } + + interface IExperimentsHolder { + + getExperiments(): Experiment[]; + } + + interface IExportableFields extends Serializable { + } + + interface IExternalDmsId extends IObjectId { + } + + /** + * @deprecated + */ + interface IFileFormatTypeId extends IObjectId { + } + + interface IIdentifierHolder { + + getIdentifier(): ObjectIdentifier; + } + + interface IImportData extends Serializable { + } + + interface ILabelHolder { + + getLabel(): string; + } + + interface ILocatorTypeId extends IObjectId { + } + + interface IMaterialId extends IObjectId { + } + + interface IMaterialPropertiesHolder { + + getMaterialProperties(): { [index: string]: Material }; + + getMaterialProperty(arg0: string): Material; + + setMaterialProperties(arg0: { [index: string]: Material }): void; + + setMaterialProperty(arg0: string, arg1: Material): void; + } + + interface IMaterialsHolder { + + getMaterials(): Material[]; + } + + interface IMetaDataUpdateHolder extends IUpdate { + + getMetaData(): ListUpdateMapValues; + } + + interface IModificationDateHolder { + + getModificationDate(): number; + } + + interface IModifierHolder { + + getModifier(): Person; + } + + interface INameHolder { + + getName(): string; + } + + interface IObjectCreation { + } + + interface IObjectId extends Serializable { + } + + interface IObjectUpdate<ID extends IObjectId> { + + getObjectId(): ID; + } + + interface IOperation extends Serializable { + + getMessage(): string; + } + + interface IOperationExecutionError extends Serializable { + + getMessage(): string; + } + + interface IOperationExecutionId extends IObjectId { + } + + interface IOperationExecutionNotification extends Serializable { + } + + interface IOperationExecutionOptions extends Serializable { + + getAvailabilityTime(): number; + + getDescription(): string; + + getDetailsAvailabilityTime(): number; + + getNotification(): IOperationExecutionNotification; + + getSummaryAvailabilityTime(): number; + + isExecuteInOrder(): boolean; + } + + interface IOperationExecutionProgress extends Serializable { + + getMessage(): string; + + getNumItemsProcessed(): number; + + getTotalItemsToProcess(): number; + } + + interface IOperationExecutionResults extends Serializable { + } + + interface IOwnerHolder { + + getOwner(): Person; + } + + interface IParentChildrenHolder<T extends any> { + + getChildren(): T[]; + + getParents(): T[]; + } + + interface IPermIdHolder { + + getPermId(): IObjectId; + } + + interface IPersonId extends IObjectId { + } + + interface IPersonalAccessTokenId extends IObjectId { + } + + interface IPluginId extends IObjectId { + } + + interface IProjectHolder { + + getProject(): Project; + } + + interface IProjectId extends IObjectId { + } + + interface IProjectsHolder { + + getProjects(): Project[]; + } + + interface IPropertiesHolder { + + getBooleanProperty(arg0: string): boolean; + + getControlledVocabularyProperty(arg0: string): string; + + getHyperlinkProperty(arg0: string): string; + + getIntegerArrayProperty(arg0: string): number[]; + + getIntegerProperty(arg0: string): number; + + getJsonProperty(arg0: string): string; + + getMultiValueBooleanProperty(arg0: string): boolean[]; + + getMultiValueControlledVocabularyProperty(arg0: string): string[]; + + getMultiValueHyperlinkProperty(arg0: string): string[]; + + getMultiValueIntegerArrayProperty(arg0: string): number[][]; + + getMultiValueIntegerProperty(arg0: string): number[]; + + getMultiValueJsonProperty(arg0: string): string[]; + + getMultiValueRealArrayProperty(arg0: string): number[][]; + + getMultiValueRealProperty(arg0: string): number[]; + + getMultiValueSampleProperty(arg0: string): SamplePermId[]; + + getMultiValueStringArrayProperty(arg0: string): string[][]; + + getMultiValueStringProperty(arg0: string): string[]; + + getMultiValueTimestampArrayProperty(arg0: string): number[][]; + + getMultiValueTimestampProperty(arg0: string): number[]; + + getMultiValueXmlProperty(arg0: string): string[]; + + getProperties(): { [index: string]: Serializable }; + + getProperty(arg0: string): Serializable; + + getRealArrayProperty(arg0: string): number[]; + + getRealProperty(arg0: string): number; + + getSampleProperty(arg0: string): SamplePermId; + + getStringArrayProperty(arg0: string): string[]; + + getStringProperty(arg0: string): string; + + getTimestampArrayProperty(arg0: string): number[]; + + getTimestampProperty(arg0: string): number; + + getXmlProperty(arg0: string): string; + + setBooleanProperty(arg0: string, arg1: boolean): void; + + setControlledVocabularyProperty(arg0: string, arg1: string): void; + + setHyperlinkProperty(arg0: string, arg1: string): void; + + setIntegerArrayProperty(arg0: string, arg1: number[]): void; + + setIntegerProperty(arg0: string, arg1: number): void; + + setJsonProperty(arg0: string, arg1: string): void; + + setMultiValueBooleanProperty(arg0: string, arg1: boolean[]): void; + + setMultiValueControlledVocabularyProperty(arg0: string, arg1: string[]): void; + + setMultiValueHyperlinkProperty(arg0: string, arg1: string[]): void; + + setMultiValueIntegerArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueIntegerProperty(arg0: string, arg1: number[]): void; + + setMultiValueJsonProperty(arg0: string, arg1: string[]): void; + + setMultiValueRealArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueRealProperty(arg0: string, arg1: number[]): void; + + setMultiValueSampleProperty(arg0: string, arg1: SamplePermId[]): void; + + setMultiValueStringArrayProperty(arg0: string, arg1: string[][]): void; + + setMultiValueStringProperty(arg0: string, arg1: string[]): void; + + setMultiValueTimestampArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueTimestampProperty(arg0: string, arg1: number[]): void; + + setMultiValueXmlProperty(arg0: string, arg1: string[]): void; + + setProperties(arg0: { [index: string]: Serializable }): void; + + setProperty(arg0: string, arg1: Serializable): void; + + setRealArrayProperty(arg0: string, arg1: number[]): void; + + setRealProperty(arg0: string, arg1: number): void; + + setSampleProperty(arg0: string, arg1: SamplePermId): void; + + setStringArrayProperty(arg0: string, arg1: string[]): void; + + setStringProperty(arg0: string, arg1: string): void; + + setTimestampArrayProperty(arg0: string, arg1: number[]): void; + + setTimestampProperty(arg0: string, arg1: number): void; + + setXmlProperty(arg0: string, arg1: string): void; + } + + interface IPropertyAssignmentId extends IObjectId { + } + + interface IPropertyAssignmentsHolder { + + getPropertyAssignments(): PropertyAssignment[]; + } + + interface IPropertyTypeHolder { + + getPropertyType(): PropertyType; + } + + interface IPropertyTypeId extends IObjectId { + } + + interface IQueryDatabaseId extends IObjectId { + } + + interface IQueryId extends IObjectId { + } + + interface IRegistrationDateHolder { + + getRegistrationDate(): number; + } + + interface IRegistratorHolder { + + getRegistrator(): Person; + } + + interface IRelationType { + } + + interface IRoleAssignmentId extends IObjectId { + } + + interface ISampleHolder { + + getSample(): Sample; + } + + interface ISampleId extends IObjectId { + } + + interface ISamplesHolder { + + getSamples(): Sample[]; + } + + interface ISearchCriteria extends Serializable { + + isNegated(): boolean; + } + + interface ISemanticAnnotationId extends IObjectId { + } + + interface ISemanticAnnotationsHolder { + + getSemanticAnnotations(): SemanticAnnotation[]; + } + + interface ISessionInformationId extends IObjectId { + } + + interface ISpaceHolder { + + getSpace(): Space; + } + + interface ISpaceId extends IObjectId { + } + + interface IStorageFormatId extends IObjectId { + } + + interface ITableCell extends Serializable { + } + + interface ITagId extends IObjectId { + } + + interface ITagsHolder { + + getTags(): Tag[]; + } + + interface ITimeZone extends Serializable { + } + + interface IUpdate extends Serializable { + } + + interface IValidationPluginHolder { + + getValidationPlugin(): Plugin; + } + + interface IVocabularyId extends IObjectId { + } + + interface IVocabularyTermId extends IObjectId { + } + + interface IdListUpdateValue<T extends any> extends ListUpdateValue<T, T, T, T> { + + add(arg0: T[]): void; + + getActions(): ListUpdateAction<T>[]; + + getAdded(): T[]; + + getRemoved(): T[]; + + getSet(): T[]; + + hasActions(): boolean; + + remove(arg0: T[]): void; + + set(arg0: T[]): void; + + setActions(arg0: ListUpdateAction<T>[]): void; + } + + /** + */ + interface IdListUpdateValueConstructor { + + new <T extends any>(): IdListUpdateValue<T>; + } + + interface IdSearchCriteria<T extends IObjectId> extends AbstractSearchCriteria { + + getId(): T; + + isNegated(): boolean; + + thatEquals(arg0: T): void; + } + + /** + */ + interface IdSearchCriteriaConstructor { + + new <T extends IObjectId>(): IdSearchCriteria<T>; + } + + interface IdentifierSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface IdentifierSearchCriteriaConstructor { + + new (): IdentifierSearchCriteria; + } + + interface IdsSearchCriteria<T extends IObjectId> extends CollectionFieldSearchCriteria<T> { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): T[]; + + isNegated(): boolean; + + setFieldValue(arg0: T[]): void; + + thatIn(arg0: T[]): void; + } + + /** + */ + interface IdsSearchCriteriaConstructor { + + new <T extends IObjectId>(): IdsSearchCriteria<T>; + } + + /** + */ + interface ImportFormatObject { + /** + */ + XLS: ImportFormat<> = "XLS"; + } + + /** + */ + interface ImportModeObject { + /** + */ + FAIL_IF_EXISTS: ImportMode<> = "FAIL_IF_EXISTS"; + /** + */ + IGNORE_EXISTING: ImportMode<> = "IGNORE_EXISTING"; + /** + */ + UPDATE_IF_EXISTS: ImportMode<> = "UPDATE_IF_EXISTS"; + } + + interface ImportOperation extends Serializable, IOperation { + + getImportData(): IImportData; + + getImportOptions(): ImportOptions; + + getMessage(): string; + + setImportData(arg0: IImportData): void; + + setImportOptions(arg0: ImportOptions): void; + } + + /** + */ + interface ImportOperationConstructor { + + new (): ImportOperation; + + new (arg0: IImportData, arg1: ImportOptions): ImportOperation; + } + + interface ImportOperationResult extends Serializable, as_dto_common_operation_IOperationResult { + + getMessage(): string; + } + + /** + */ + interface ImportOperationResultConstructor { + + new (): ImportOperationResult; + } + + interface ImportOptions extends Serializable { + + getMode(): ImportMode; + + setMode(arg0: ImportMode): void; + } + + /** + */ + interface ImportOptionsConstructor { + + new (): ImportOptions; + + new (arg0: ImportMode): ImportOptions; + } + + interface ImportScript extends Serializable { + + getName(): string; + + getSource(): string; + + setName(arg0: string): void; + + setSource(arg0: string): void; + } + + /** + */ + interface ImportScriptConstructor { + + new (): ImportScript; + + new (arg0: string, arg1: string): ImportScript; + } + + interface ImportValue extends Serializable { + + getName(): string; + + getValue(): string; + + setName(arg0: string): void; + + setValue(arg0: string): void; + } + + /** + */ + interface ImportValueConstructor { + + new (): ImportValue; + + new (arg0: string, arg1: string): ImportValue; + } + + interface LabelSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface LabelSearchCriteriaConstructor { + + new (): LabelSearchCriteria; + } + + interface LastNameSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface LastNameSearchCriteriaConstructor { + + new (): LastNameSearchCriteria; + } + + interface LinkedData extends Serializable { + + getContentCopies(): ContentCopy[]; + + getExternalCode(): string; + + getExternalDms(): ExternalDms; + + getFetchOptions(): LinkedDataFetchOptions; + + setContentCopies(arg0: ContentCopy[]): void; + + setExternalCode(arg0: string): void; + + setExternalDms(arg0: ExternalDms): void; + + setFetchOptions(arg0: LinkedDataFetchOptions): void; + } + + /** + */ + interface LinkedDataConstructor { + + new (): LinkedData; + } + + interface LinkedDataCreation extends ICreation { + + getContentCopies(): ContentCopyCreation[]; + + getExternalCode(): string; + + getExternalDmsId(): IExternalDmsId; + + setContentCopies(arg0: ContentCopyCreation[]): void; + + setExternalCode(arg0: string): void; + + setExternalDmsId(arg0: IExternalDmsId): void; + } + + /** + */ + interface LinkedDataCreationConstructor { + + new (): LinkedDataCreation; + } + + interface LinkedDataFetchOptions extends FetchOptions<LinkedData>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<LinkedData>; + + count(arg0: number): FetchOptions<LinkedData>; + + from(arg0: number): FetchOptions<LinkedData>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): LinkedDataSortOptions; + + hasExternalDms(): boolean; + + sortBy(): LinkedDataSortOptions; + + withExternalDms(): ExternalDmsFetchOptions; + + withExternalDmsUsing(arg0: ExternalDmsFetchOptions): ExternalDmsFetchOptions; + } + + /** + */ + interface LinkedDataFetchOptionsConstructor { + + new (): LinkedDataFetchOptions; + } + + interface LinkedDataSearchCriteria extends AbstractCompositeSearchCriteria { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withCopy(): ContentCopySearchCriteria; + + withExternalCode(): ExternalCodeSearchCriteria; + + withExternalDms(): as_dto_dataset_search_ExternalDmsSearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + } + + /** + */ + interface LinkedDataSearchCriteriaConstructor { + + new (): LinkedDataSearchCriteria; + } + + interface LinkedDataSortOptions extends SortOptions<LinkedData> { + + getSortings(): Sorting[]; + } + + /** + */ + interface LinkedDataSortOptionsConstructor { + + new (): LinkedDataSortOptions; + } + + interface LinkedDataUpdate extends IUpdate { + + getContentCopies(): ContentCopyListUpdateValue; + + getExternalCode(): FieldUpdateValue<string>; + + getExternalDmsId(): FieldUpdateValue<IExternalDmsId>; + + setContentCopyActions(arg0: ListUpdateAction<any>[]): void; + + setExternalCode(arg0: string): void; + + setExternalDmsId(arg0: IExternalDmsId): void; + } + + /** + */ + interface LinkedDataUpdateConstructor { + + new (): LinkedDataUpdate; + } + + interface ListUpdateAction<T extends any> extends Serializable { + + getItems(): T[]; + + setItems(arg0: T[]): void; + } + + interface ListUpdateActionAdd<ADD extends any> extends ListUpdateAction<ADD> { + + getItems(): ADD[]; + + setItems(arg0: ADD[]): void; + } + + /** + */ + interface ListUpdateActionAddConstructor { + + new <ADD extends any>(): ListUpdateActionAdd<ADD>; + } + + /** + */ + interface ListUpdateActionConstructor { + + new <T extends any>(): ListUpdateAction<T>; + } + + interface ListUpdateActionRemove<REMOVE extends any> extends ListUpdateAction<REMOVE> { + + getItems(): REMOVE[]; + + setItems(arg0: REMOVE[]): void; + } + + /** + */ + interface ListUpdateActionRemoveConstructor { + + new <REMOVE extends any>(): ListUpdateActionRemove<REMOVE>; + } + + interface ListUpdateActionSet<SET extends any> extends ListUpdateAction<SET> { + + getItems(): SET[]; + + setItems(arg0: SET[]): void; + } + + /** + */ + interface ListUpdateActionSetConstructor { + + new <SET extends any>(): ListUpdateActionSet<SET>; + } + + interface ListUpdateMapValues extends ListUpdateValue<{ [index: string]: string }, string, { [index: string]: string }, any> { + + add(arg0: { [index: string]: string }[]): void; + + getActions(): ListUpdateAction<any>[]; + + getAdded(): { [index: string]: string }[]; + + getRemoved(): string[]; + + getSet(): { [index: string]: string }[]; + + hasActions(): boolean; + + put(arg0: string, arg1: string): ListUpdateMapValues; + + remove(arg0: string[]): void; + + set(arg0: { [index: string]: string }[]): void; + + setActions(arg0: ListUpdateAction<any>[]): void; + } + + /** + */ + interface ListUpdateMapValuesConstructor { + + new (): ListUpdateMapValues; + } + + interface ListUpdateValue<ADD extends any, REMOVE extends any, SET extends any, ACTION extends any> extends Serializable { + + add(arg0: ADD[]): void; + + getActions(): ListUpdateAction<ACTION>[]; + + getAdded(): ADD[]; + + getRemoved(): REMOVE[]; + + getSet(): SET[]; + + hasActions(): boolean; + + remove(arg0: REMOVE[]): void; + + set(arg0: SET[]): void; + + setActions(arg0: ListUpdateAction<ACTION>[]): void; + } + + /** + */ + interface ListUpdateValueConstructor { + + new <ADD extends any, REMOVE extends any, SET extends any, ACTION extends any>(): ListUpdateValue<ADD, REMOVE, SET, ACTION>; + } + + interface ListableSampleTypeSearchCriteria extends AbstractSearchCriteria { + + isListable(): boolean; + + isNegated(): boolean; + + setListable(arg0: boolean): void; + + thatEquals(arg0: boolean): void; + } + + /** + */ + interface ListableSampleTypeSearchCriteriaConstructor { + + new (): ListableSampleTypeSearchCriteria; + } + + interface LocationSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface LocationSearchCriteriaConstructor { + + new (): LocationSearchCriteria; + } + + interface LocatorType extends Serializable, ICodeHolder { + + getCode(): string; + + getDescription(): string; + + getFetchOptions(): LocatorTypeFetchOptions; + + setCode(arg0: string): void; + + setDescription(arg0: string): void; + + setFetchOptions(arg0: LocatorTypeFetchOptions): void; + } + + /** + */ + interface LocatorTypeConstructor { + + new (): LocatorType; + } + + interface LocatorTypeFetchOptions extends FetchOptions<LocatorType>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<LocatorType>; + + count(arg0: number): FetchOptions<LocatorType>; + + from(arg0: number): FetchOptions<LocatorType>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): LocatorTypeSortOptions; + + sortBy(): LocatorTypeSortOptions; + } + + /** + */ + interface LocatorTypeFetchOptionsConstructor { + + new (): LocatorTypeFetchOptions; + } + + interface LocatorTypePermId extends ObjectPermId, ILocatorTypeId { + + getPermId(): string; + } + + /** + */ + interface LocatorTypePermIdConstructor { + + new (arg0: string): LocatorTypePermId; + } + + interface LocatorTypeSearchCriteria extends AbstractCompositeSearchCriteria { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withCode(): CodeSearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + } + + /** + */ + interface LocatorTypeSearchCriteriaConstructor { + + new (): LocatorTypeSearchCriteria; + } + + interface LocatorTypeSortOptions extends SortOptions<LocatorType> { + + getSortings(): Sorting[]; + } + + /** + */ + interface LocatorTypeSortOptionsConstructor { + + new (): LocatorTypeSortOptions; + } + + interface LockDataSetsOperation extends IOperation { + + getDataSetIds(): IDataSetId[]; + + getMessage(): string; + + getOptions(): DataSetLockOptions; + } + + /** + */ + interface LockDataSetsOperationConstructor { + + new (arg0: IDataSetId[], arg1: DataSetLockOptions): LockDataSetsOperation; + } + + interface LockDataSetsOperationResult extends as_dto_common_operation_IOperationResult { + + getMessage(): string; + } + + /** + */ + interface LockDataSetsOperationResultConstructor { + + new (): LockDataSetsOperationResult; + } + + interface LongDateFormat extends IDateFormat { + + getFormat(): string; + } + + /** + */ + interface LongDateFormatConstructor { + + new (): LongDateFormat; + } + + interface MatchFetchOptions extends EmptyFetchOptions { + + cacheMode(arg0: CacheMode): FetchOptions<void>; + + count(arg0: number): FetchOptions<void>; + + from(arg0: number): FetchOptions<void>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): SortOptions<void>; + + sortBy(): SortOptions<void>; + } + + /** + */ + interface MatchFetchOptionsConstructor { + + new (): MatchFetchOptions; + } + + interface Material extends AbstractEntity<Material>, Serializable, ICodeHolder, IEntityTypeHolder, IMaterialPropertiesHolder, IModificationDateHolder, IPermIdHolder, IPropertiesHolder, IRegistrationDateHolder, IRegistratorHolder, ITagsHolder { + + getBooleanProperty(arg0: string): boolean; + + getCode(): string; + + getControlledVocabularyProperty(arg0: string): string; + + getFetchOptions(): MaterialFetchOptions; + + getHistory(): HistoryEntry[]; + + getHyperlinkProperty(arg0: string): string; + + getIntegerArrayProperty(arg0: string): number[]; + + getIntegerProperty(arg0: string): number; + + getJsonProperty(arg0: string): string; + + getMaterialProperties(): { [index: string]: Material }; + + getMaterialProperty(arg0: string): Material; + + getModificationDate(): number; + + getMultiValueBooleanProperty(arg0: string): boolean[]; + + getMultiValueControlledVocabularyProperty(arg0: string): string[]; + + getMultiValueHyperlinkProperty(arg0: string): string[]; + + getMultiValueIntegerArrayProperty(arg0: string): number[][]; + + getMultiValueIntegerProperty(arg0: string): number[]; + + getMultiValueJsonProperty(arg0: string): string[]; + + getMultiValueRealArrayProperty(arg0: string): number[][]; + + getMultiValueRealProperty(arg0: string): number[]; + + getMultiValueSampleProperty(arg0: string): SamplePermId[]; + + getMultiValueStringArrayProperty(arg0: string): string[][]; + + getMultiValueStringProperty(arg0: string): string[]; + + getMultiValueTimestampArrayProperty(arg0: string): number[][]; + + getMultiValueTimestampProperty(arg0: string): number[]; + + getMultiValueXmlProperty(arg0: string): string[]; + + getPermId(): MaterialPermId; + + getProperties(): { [index: string]: Serializable }; + + getProperty(arg0: string): Serializable; + + getRealArrayProperty(arg0: string): number[]; + + getRealProperty(arg0: string): number; + + getRegistrationDate(): number; + + getRegistrator(): Person; + + getSampleProperty(arg0: string): SamplePermId; + + getStringArrayProperty(arg0: string): string[]; + + getStringProperty(arg0: string): string; + + getTags(): Tag[]; + + getTimestampArrayProperty(arg0: string): number[]; + + getTimestampProperty(arg0: string): number; + + getType(): MaterialType; + + getXmlProperty(arg0: string): string; + + setBooleanProperty(arg0: string, arg1: boolean): void; + + setCode(arg0: string): void; + + setControlledVocabularyProperty(arg0: string, arg1: string): void; + + setFetchOptions(arg0: MaterialFetchOptions): void; + + setHistory(arg0: HistoryEntry[]): void; + + setHyperlinkProperty(arg0: string, arg1: string): void; + + setIntegerArrayProperty(arg0: string, arg1: number[]): void; + + setIntegerProperty(arg0: string, arg1: number): void; + + setJsonProperty(arg0: string, arg1: string): void; + + setMaterialProperties(arg0: { [index: string]: Material }): void; + + setMaterialProperty(arg0: string, arg1: Material): void; + + setModificationDate(arg0: number): void; + + setMultiValueBooleanProperty(arg0: string, arg1: boolean[]): void; + + setMultiValueControlledVocabularyProperty(arg0: string, arg1: string[]): void; + + setMultiValueHyperlinkProperty(arg0: string, arg1: string[]): void; + + setMultiValueIntegerArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueIntegerProperty(arg0: string, arg1: number[]): void; + + setMultiValueJsonProperty(arg0: string, arg1: string[]): void; + + setMultiValueRealArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueRealProperty(arg0: string, arg1: number[]): void; + + setMultiValueSampleProperty(arg0: string, arg1: SamplePermId[]): void; + + setMultiValueStringArrayProperty(arg0: string, arg1: string[][]): void; + + setMultiValueStringProperty(arg0: string, arg1: string[]): void; + + setMultiValueTimestampArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueTimestampProperty(arg0: string, arg1: number[]): void; + + setMultiValueXmlProperty(arg0: string, arg1: string[]): void; + + setPermId(arg0: MaterialPermId): void; + + setProperties(arg0: { [index: string]: Serializable }): void; + + setProperty(arg0: string, arg1: Serializable): void; + + setRealArrayProperty(arg0: string, arg1: number[]): void; + + setRealProperty(arg0: string, arg1: number): void; + + setRegistrationDate(arg0: number): void; + + setRegistrator(arg0: Person): void; + + setSampleProperty(arg0: string, arg1: SamplePermId): void; + + setStringArrayProperty(arg0: string, arg1: string[]): void; + + setStringProperty(arg0: string, arg1: string): void; + + setTags(arg0: Tag[]): void; + + setTimestampArrayProperty(arg0: string, arg1: number[]): void; + + setTimestampProperty(arg0: string, arg1: number): void; + + setType(arg0: MaterialType): void; + + setXmlProperty(arg0: string, arg1: string): void; + } + + /** + */ + interface MaterialConstructor { + + new (): Material; + } + + interface MaterialCreation extends AbstractEntityCreation, ICreation, IObjectCreation, ICreationIdHolder, IPropertiesHolder { + + getBooleanProperty(arg0: string): boolean; + + getCode(): string; + + getControlledVocabularyProperty(arg0: string): string; + + getCreationId(): CreationId; + + getDescription(): string; + + getHyperlinkProperty(arg0: string): string; + + getIntegerArrayProperty(arg0: string): number[]; + + getIntegerProperty(arg0: string): number; + + getJsonProperty(arg0: string): string; + + getMultiValueBooleanProperty(arg0: string): boolean[]; + + getMultiValueControlledVocabularyProperty(arg0: string): string[]; + + getMultiValueHyperlinkProperty(arg0: string): string[]; + + getMultiValueIntegerArrayProperty(arg0: string): number[][]; + + getMultiValueIntegerProperty(arg0: string): number[]; + + getMultiValueJsonProperty(arg0: string): string[]; + + getMultiValueRealArrayProperty(arg0: string): number[][]; + + getMultiValueRealProperty(arg0: string): number[]; + + getMultiValueSampleProperty(arg0: string): SamplePermId[]; + + getMultiValueStringArrayProperty(arg0: string): string[][]; + + getMultiValueStringProperty(arg0: string): string[]; + + getMultiValueTimestampArrayProperty(arg0: string): number[][]; + + getMultiValueTimestampProperty(arg0: string): number[]; + + getMultiValueXmlProperty(arg0: string): string[]; + + getProperties(): { [index: string]: Serializable }; + + getProperty(arg0: string): Serializable; + + getRealArrayProperty(arg0: string): number[]; + + getRealProperty(arg0: string): number; + + getSampleProperty(arg0: string): SamplePermId; + + getStringArrayProperty(arg0: string): string[]; + + getStringProperty(arg0: string): string; + + getTagIds(): ITagId[]; + + getTimestampArrayProperty(arg0: string): number[]; + + getTimestampProperty(arg0: string): number; + + getTypeId(): IEntityTypeId; + + getXmlProperty(arg0: string): string; + + setBooleanProperty(arg0: string, arg1: boolean): void; + + setCode(arg0: string): void; + + setControlledVocabularyProperty(arg0: string, arg1: string): void; + + setCreationId(arg0: CreationId): void; + + setDescription(arg0: string): void; + + setHyperlinkProperty(arg0: string, arg1: string): void; + + setIntegerArrayProperty(arg0: string, arg1: number[]): void; + + setIntegerProperty(arg0: string, arg1: number): void; + + setJsonProperty(arg0: string, arg1: string): void; + + setMultiValueBooleanProperty(arg0: string, arg1: boolean[]): void; + + setMultiValueControlledVocabularyProperty(arg0: string, arg1: string[]): void; + + setMultiValueHyperlinkProperty(arg0: string, arg1: string[]): void; + + setMultiValueIntegerArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueIntegerProperty(arg0: string, arg1: number[]): void; + + setMultiValueJsonProperty(arg0: string, arg1: string[]): void; + + setMultiValueRealArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueRealProperty(arg0: string, arg1: number[]): void; + + setMultiValueSampleProperty(arg0: string, arg1: SamplePermId[]): void; + + setMultiValueStringArrayProperty(arg0: string, arg1: string[][]): void; + + setMultiValueStringProperty(arg0: string, arg1: string[]): void; + + setMultiValueTimestampArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueTimestampProperty(arg0: string, arg1: number[]): void; + + setMultiValueXmlProperty(arg0: string, arg1: string[]): void; + + setProperties(arg0: { [index: string]: Serializable }): void; + + setProperty(arg0: string, arg1: Serializable): void; + + setRealArrayProperty(arg0: string, arg1: number[]): void; + + setRealProperty(arg0: string, arg1: number): void; + + setSampleProperty(arg0: string, arg1: SamplePermId): void; + + setStringArrayProperty(arg0: string, arg1: string[]): void; + + setStringProperty(arg0: string, arg1: string): void; + + setTagIds(arg0: ITagId[]): void; + + setTimestampArrayProperty(arg0: string, arg1: number[]): void; + + setTimestampProperty(arg0: string, arg1: number): void; + + setTypeId(arg0: IEntityTypeId): void; + + setXmlProperty(arg0: string, arg1: string): void; + } + + /** + */ + interface MaterialCreationConstructor { + + new (): MaterialCreation; + } + + interface MaterialDeletionOptions extends AbstractObjectDeletionOptions<MaterialDeletionOptions> { + + getReason(): string; + + setReason(arg0: string): MaterialDeletionOptions; + } + + /** + */ + interface MaterialDeletionOptionsConstructor { + + new (): MaterialDeletionOptions; + } + + interface MaterialFetchOptions extends AbstractEntityFetchOptions<Material>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<Material>; + + count(arg0: number): FetchOptions<Material>; + + from(arg0: number): FetchOptions<Material>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): MaterialSortOptions; + + hasHistory(): boolean; + + hasMaterialProperties(): boolean; + + hasProperties(): boolean; + + hasRegistrator(): boolean; + + hasTags(): boolean; + + hasType(): boolean; + + sortBy(): MaterialSortOptions; + + withHistory(): HistoryEntryFetchOptions; + + withHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + + withMaterialProperties(): MaterialFetchOptions; + + withMaterialPropertiesUsing(arg0: MaterialFetchOptions): MaterialFetchOptions; + + withProperties(): PropertyFetchOptions; + + withPropertiesUsing(arg0: PropertyFetchOptions): PropertyFetchOptions; + + withRegistrator(): PersonFetchOptions; + + withRegistratorUsing(arg0: PersonFetchOptions): PersonFetchOptions; + + withTags(): TagFetchOptions; + + withTagsUsing(arg0: TagFetchOptions): TagFetchOptions; + + withType(): MaterialTypeFetchOptions; + + withTypeUsing(arg0: MaterialTypeFetchOptions): MaterialTypeFetchOptions; + } + + /** + */ + interface MaterialFetchOptionsConstructor { + + new (): MaterialFetchOptions; + } + + interface MaterialPermId extends IMaterialId { + + getCode(): string; + + getTypeCode(): string; + + setCode(arg0: string): void; + + setTypeCode(arg0: string): void; + } + + /** + */ + interface MaterialPermIdConstructor { + + new (arg0: string, arg1: string): MaterialPermId; + } + + interface MaterialSearchCriteria extends AbstractEntitySearchCriteria<IMaterialId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + negate(): MaterialSearchCriteria; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): MaterialSearchCriteria; + + withAnyBooleanProperty(): AnyBooleanPropertySearchCriteria; + + withAnyDateProperty(): AnyDatePropertySearchCriteria; + + withAnyField(): AnyFieldSearchCriteria; + + withAnyNumberProperty(): AnyNumberPropertySearchCriteria; + + withAnyProperty(): AnyPropertySearchCriteria; + + withAnyStringProperty(): AnyStringPropertySearchCriteria; + + withBooleanProperty(arg0: string): BooleanPropertySearchCriteria; + + withCode(): CodeSearchCriteria; + + withCodes(): CodesSearchCriteria; + + withDateProperty(arg0: string): DatePropertySearchCriteria; + + withId(): IdSearchCriteria<IMaterialId>; + + withModificationDate(): ModificationDateSearchCriteria; + + withModifier(): ModifierSearchCriteria; + + withNumberProperty(arg0: string): NumberPropertySearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): MaterialSearchCriteria; + + withPermId(): PermIdSearchCriteria; + + withProperty(arg0: string): StringPropertySearchCriteria; + + withRegistrationDate(): RegistrationDateSearchCriteria; + + withRegistrator(): RegistratorSearchCriteria; + + withSampleProperty(arg0: string): SamplePropertySearchCriteria; + + withStringProperty(arg0: string): StrictlyStringPropertySearchCriteria; + + withSubcriteria(): MaterialSearchCriteria; + + withTag(): TagSearchCriteria; + + withTextAttribute(): TextAttributeSearchCriteria; + + withType(): MaterialTypeSearchCriteria; + + withVocabularyProperty(arg0: string): ControlledVocabularyPropertySearchCriteria; + } + + /** + */ + interface MaterialSearchCriteriaConstructor { + + new (): MaterialSearchCriteria; + } + + interface MaterialSortOptions extends EntityWithPropertiesSortOptions<Material> { + + code(): SortOrder; + + fetchedFieldsScore(): SortOrder; + + getCode(): SortOrder; + + getFetchedFieldsScore(): SortOrder; + + getModificationDate(): SortOrder; + + getPermId(): SortOrder; + + getProperty(arg0: string): SortOrder; + + getRegistrationDate(): SortOrder; + + getSortings(): Sorting[]; + + getType(): SortOrder; + + modificationDate(): SortOrder; + + permId(): SortOrder; + + property(arg0: string): SortOrder; + + registrationDate(): SortOrder; + + stringMatchAnyPropertyScore(arg0: string): SortOrder; + + stringMatchPropertyScore(arg0: string, arg1: string): SortOrder; + + stringPrefixMatchAnyPropertyScore(arg0: string): SortOrder; + + stringPrefixMatchPropertyScore(arg0: string, arg1: string): SortOrder; + + type(): SortOrder; + } + + /** + */ + interface MaterialSortOptionsConstructor { + + new (): MaterialSortOptions; + } + + interface MaterialType extends Serializable, ICodeHolder, IDescriptionHolder, IEntityType, IModificationDateHolder, IPermIdHolder, IPropertyAssignmentsHolder { + + getCode(): string; + + getDescription(): string; + + getFetchOptions(): MaterialTypeFetchOptions; + + getModificationDate(): number; + + getPermId(): EntityTypePermId; + + getPropertyAssignments(): PropertyAssignment[]; + + getValidationPlugin(): Plugin; + + setCode(arg0: string): void; + + setDescription(arg0: string): void; + + setFetchOptions(arg0: MaterialTypeFetchOptions): void; + + setModificationDate(arg0: number): void; + + setPermId(arg0: EntityTypePermId): void; + + setPropertyAssignments(arg0: PropertyAssignment[]): void; + + setValidationPlugin(arg0: Plugin): void; + } + + /** + */ + interface MaterialTypeConstructor { + + new (): MaterialType; + } + + interface MaterialTypeCreation extends IEntityTypeCreation { + + getCode(): string; + + getDescription(): string; + + getPropertyAssignments(): PropertyAssignmentCreation[]; + + getValidationPluginId(): IPluginId; + + setCode(arg0: string): void; + + setDescription(arg0: string): void; + + setPropertyAssignments(arg0: PropertyAssignmentCreation[]): void; + + setValidationPluginId(arg0: IPluginId): void; + } + + /** + */ + interface MaterialTypeCreationConstructor { + + new (): MaterialTypeCreation; + } + + interface MaterialTypeDeletionOptions extends AbstractObjectDeletionOptions<MaterialTypeDeletionOptions> { + + getReason(): string; + + setReason(arg0: string): MaterialTypeDeletionOptions; + } + + /** + */ + interface MaterialTypeDeletionOptionsConstructor { + + new (): MaterialTypeDeletionOptions; + } + + interface MaterialTypeFetchOptions extends FetchOptions<MaterialType>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<MaterialType>; + + count(arg0: number): FetchOptions<MaterialType>; + + from(arg0: number): FetchOptions<MaterialType>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): MaterialTypeSortOptions; + + hasPropertyAssignments(): boolean; + + hasValidationPlugin(): boolean; + + sortBy(): MaterialTypeSortOptions; + + withPropertyAssignments(): PropertyAssignmentFetchOptions; + + withPropertyAssignmentsUsing(arg0: PropertyAssignmentFetchOptions): PropertyAssignmentFetchOptions; + + withValidationPlugin(): PluginFetchOptions; + + withValidationPluginUsing(arg0: PluginFetchOptions): PluginFetchOptions; + } + + /** + */ + interface MaterialTypeFetchOptionsConstructor { + + new (): MaterialTypeFetchOptions; + } + + interface MaterialTypeSearchCriteria extends AbstractEntityTypeSearchCriteria { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): MaterialTypeSearchCriteria; + + withCode(): CodeSearchCriteria; + + withCodes(): CodesSearchCriteria; + + withId(): IdSearchCriteria<IEntityTypeId>; + + withIds(): IdsSearchCriteria<IEntityTypeId>; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): MaterialTypeSearchCriteria; + + withPermId(): PermIdSearchCriteria; + + withPropertyAssignments(): PropertyAssignmentSearchCriteria; + } + + /** + */ + interface MaterialTypeSearchCriteriaConstructor { + + new (): MaterialTypeSearchCriteria; + } + + interface MaterialTypeSortOptions extends SortOptions<MaterialType> { + + getSortings(): Sorting[]; + } + + /** + */ + interface MaterialTypeSortOptionsConstructor { + + new (): MaterialTypeSortOptions; + } + + interface MaterialTypeUpdate extends IEntityTypeUpdate { + + getDescription(): FieldUpdateValue<string>; + + getObjectId(): IEntityTypeId; + + getPropertyAssignments(): PropertyAssignmentListUpdateValue; + + getTypeId(): IEntityTypeId; + + getValidationPluginId(): FieldUpdateValue<IPluginId>; + + setDescription(arg0: string): void; + + setPropertyAssignmentActions(arg0: ListUpdateAction<any>[]): void; + + setTypeId(arg0: IEntityTypeId): void; + + setValidationPluginId(arg0: IPluginId): void; + } + + /** + */ + interface MaterialTypeUpdateConstructor { + + new (): MaterialTypeUpdate; + } + + interface MaterialUpdate extends AbstractEntityUpdate, IUpdate, IObjectUpdate<IMaterialId>, IPropertiesHolder { + + getBooleanProperty(arg0: string): boolean; + + getControlledVocabularyProperty(arg0: string): string; + + getHyperlinkProperty(arg0: string): string; + + getIntegerArrayProperty(arg0: string): number[]; + + getIntegerProperty(arg0: string): number; + + getJsonProperty(arg0: string): string; + + getMaterialId(): IMaterialId; + + getMultiValueBooleanProperty(arg0: string): boolean[]; + + getMultiValueControlledVocabularyProperty(arg0: string): string[]; + + getMultiValueHyperlinkProperty(arg0: string): string[]; + + getMultiValueIntegerArrayProperty(arg0: string): number[][]; + + getMultiValueIntegerProperty(arg0: string): number[]; + + getMultiValueJsonProperty(arg0: string): string[]; + + getMultiValueRealArrayProperty(arg0: string): number[][]; + + getMultiValueRealProperty(arg0: string): number[]; + + getMultiValueSampleProperty(arg0: string): SamplePermId[]; + + getMultiValueStringArrayProperty(arg0: string): string[][]; + + getMultiValueStringProperty(arg0: string): string[]; + + getMultiValueTimestampArrayProperty(arg0: string): number[][]; + + getMultiValueTimestampProperty(arg0: string): number[]; + + getMultiValueXmlProperty(arg0: string): string[]; + + getObjectId(): IMaterialId; + + getProperties(): { [index: string]: Serializable }; + + getProperty(arg0: string): Serializable; + + getRealArrayProperty(arg0: string): number[]; + + getRealProperty(arg0: string): number; + + getSampleProperty(arg0: string): SamplePermId; + + getStringArrayProperty(arg0: string): string[]; + + getStringProperty(arg0: string): string; + + getTagIds(): IdListUpdateValue<ITagId>; + + getTimestampArrayProperty(arg0: string): number[]; + + getTimestampProperty(arg0: string): number; + + getXmlProperty(arg0: string): string; + + setBooleanProperty(arg0: string, arg1: boolean): void; + + setControlledVocabularyProperty(arg0: string, arg1: string): void; + + setHyperlinkProperty(arg0: string, arg1: string): void; + + setIntegerArrayProperty(arg0: string, arg1: number[]): void; + + setIntegerProperty(arg0: string, arg1: number): void; + + setJsonProperty(arg0: string, arg1: string): void; + + setMaterialId(arg0: IMaterialId): void; + + setMultiValueBooleanProperty(arg0: string, arg1: boolean[]): void; + + setMultiValueControlledVocabularyProperty(arg0: string, arg1: string[]): void; + + setMultiValueHyperlinkProperty(arg0: string, arg1: string[]): void; + + setMultiValueIntegerArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueIntegerProperty(arg0: string, arg1: number[]): void; + + setMultiValueJsonProperty(arg0: string, arg1: string[]): void; + + setMultiValueRealArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueRealProperty(arg0: string, arg1: number[]): void; + + setMultiValueSampleProperty(arg0: string, arg1: SamplePermId[]): void; + + setMultiValueStringArrayProperty(arg0: string, arg1: string[][]): void; + + setMultiValueStringProperty(arg0: string, arg1: string[]): void; + + setMultiValueTimestampArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueTimestampProperty(arg0: string, arg1: number[]): void; + + setMultiValueXmlProperty(arg0: string, arg1: string[]): void; + + setProperties(arg0: { [index: string]: Serializable }): void; + + setProperty(arg0: string, arg1: Serializable): void; + + setRealArrayProperty(arg0: string, arg1: number[]): void; + + setRealProperty(arg0: string, arg1: number): void; + + setSampleProperty(arg0: string, arg1: SamplePermId): void; + + setStringArrayProperty(arg0: string, arg1: string[]): void; + + setStringProperty(arg0: string, arg1: string): void; + + setTagActions(arg0: ListUpdateAction<ITagId>[]): void; + + setTimestampArrayProperty(arg0: string, arg1: number[]): void; + + setTimestampProperty(arg0: string, arg1: number): void; + + setXmlProperty(arg0: string, arg1: string): void; + } + + /** + */ + interface MaterialUpdateConstructor { + + new (): MaterialUpdate; + } + + interface Me extends ObjectPermId, IPersonId { + + getPermId(): string; + } + + /** + */ + interface MeConstructor { + + new (): Me; + } + + interface ModificationDateSearchCriteria extends DateFieldSearchCriteria { + + formatValue(arg0: string, arg1: IDateFormat): number; + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): IDate; + + getTimeZone(): ITimeZone; + + isNegated(): boolean; + + setFieldValue(arg0: IDate): void; + + setTimeZone(arg0: ITimeZone): void; + + thatEquals(arg0: number): void; + + thatEquals(arg0: string): void; + + thatIsEarlierThan(arg0: number): void; + + thatIsEarlierThan(arg0: string): void; + + thatIsEarlierThanOrEqualTo(arg0: number): void; + + thatIsEarlierThanOrEqualTo(arg0: string): void; + + thatIsLaterThan(arg0: number): void; + + thatIsLaterThan(arg0: string): void; + + thatIsLaterThanOrEqualTo(arg0: number): void; + + thatIsLaterThanOrEqualTo(arg0: string): void; + + withServerTimeZone(): DateFieldSearchCriteria; + + withTimeZone(arg0: number): DateFieldSearchCriteria; + } + + interface ModifierSearchCriteria extends PersonSearchCriteria { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): PersonSearchCriteria; + + withEmail(): EmailSearchCriteria; + + withFirstName(): FirstNameSearchCriteria; + + withId(): IdSearchCriteria<IPersonId>; + + withLastName(): LastNameSearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): PersonSearchCriteria; + + withUserId(): UserIdSearchCriteria; + + withUserIds(): UserIdsSearchCriteria; + } + + /** + */ + interface ModifierSearchCriteriaConstructor { + + new (): ModifierSearchCriteria; + } + + interface NameSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface NameSearchCriteriaConstructor { + + new (): NameSearchCriteria; + } + + interface NoExperimentSearchCriteria extends ISearchCriteria { + + isNegated(): boolean; + } + + /** + */ + interface NoExperimentSearchCriteriaConstructor { + + new (): NoExperimentSearchCriteria; + } + + interface NoProjectSearchCriteria extends ISearchCriteria { + + isNegated(): boolean; + } + + /** + */ + interface NoProjectSearchCriteriaConstructor { + + new (): NoProjectSearchCriteria; + } + + interface NoSampleContainerSearchCriteria extends NoSampleSearchCriteria { + + isNegated(): boolean; + } + + /** + */ + interface NoSampleContainerSearchCriteriaConstructor { + + new (): NoSampleContainerSearchCriteria; + } + + interface NoSampleSearchCriteria extends ISearchCriteria { + + isNegated(): boolean; + } + + /** + */ + interface NoSampleSearchCriteriaConstructor { + + new (): NoSampleSearchCriteria; + } + + interface NoSpaceSearchCriteria extends ISearchCriteria { + + isNegated(): boolean; + } + + /** + */ + interface NoSpaceSearchCriteriaConstructor { + + new (): NoSpaceSearchCriteria; + } + + interface NormalDateFormat extends IDateFormat { + + getFormat(): string; + } + + /** + */ + interface NormalDateFormatConstructor { + + new (): NormalDateFormat; + } + + interface NumberEqualToValue extends AbstractNumberValue { + } + + /** + */ + interface NumberEqualToValueConstructor { + + new (arg0: number): NumberEqualToValue; + } + + interface NumberFieldSearchCriteria extends AbstractFieldSearchCriteria<AbstractNumberValue> { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractNumberValue; + + isNegated(): boolean; + + setFieldValue(arg0: AbstractNumberValue): void; + + thatEquals(arg0: number): void; + + thatIsGreaterThan(arg0: number): void; + + thatIsGreaterThanOrEqualTo(arg0: number): void; + + thatIsLessThan(arg0: number): void; + + thatIsLessThanOrEqualTo(arg0: number): void; + } + + interface NumberGreaterThanOrEqualToValue extends AbstractNumberValue { + } + + /** + */ + interface NumberGreaterThanOrEqualToValueConstructor { + + new (): NumberGreaterThanOrEqualToValue; + + new (arg0: number): NumberGreaterThanOrEqualToValue; + } + + interface NumberGreaterThanValue extends AbstractNumberValue { + } + + /** + */ + interface NumberGreaterThanValueConstructor { + + new (): NumberGreaterThanValue; + + new (arg0: number): NumberGreaterThanValue; + } + + interface NumberLessThanOrEqualToValue extends AbstractNumberValue { + } + + /** + */ + interface NumberLessThanOrEqualToValueConstructor { + + new (): NumberLessThanOrEqualToValue; + + new (arg0: number): NumberLessThanOrEqualToValue; + } + + interface NumberLessThanValue extends AbstractNumberValue { + } + + /** + */ + interface NumberLessThanValueConstructor { + + new (): NumberLessThanValue; + + new (arg0: number): NumberLessThanValue; + } + + interface NumberPropertySearchCriteria extends NumberFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractNumberValue; + + isNegated(): boolean; + + setFieldValue(arg0: AbstractNumberValue): void; + + thatEquals(arg0: number): void; + + thatIsGreaterThan(arg0: number): void; + + thatIsGreaterThanOrEqualTo(arg0: number): void; + + thatIsLessThan(arg0: number): void; + + thatIsLessThanOrEqualTo(arg0: number): void; + } + + interface ObjectIdentifier extends IObjectId { + + getIdentifier(): string; + } + + /** + */ + interface ObjectIdentifierConstructor { + + new (arg0: string): ObjectIdentifier; + } + + interface ObjectKindCriteria extends AbstractSearchCriteria { + + getObjectKinds(): ObjectKind[]; + + isNegated(): boolean; + + thatIn(arg0: ObjectKind[]): void; + + thatIn(arg0: ObjectKind[]): void; + } + + /** + */ + interface ObjectKindCriteriaConstructor { + + new (): ObjectKindCriteria; + } + + interface ObjectKindModification extends Serializable { + + getFetchOptions(): ObjectKindModificationFetchOptions; + + getLastModificationTimeStamp(): number; + + getObjectKind(): ObjectKind; + + getOperationKind(): OperationKind; + + setFetchOptions(arg0: ObjectKindModificationFetchOptions): void; + + setLastModificationTimeStamp(arg0: number): void; + + setObjectKind(arg0: ObjectKind): void; + + setOperationKind(arg0: OperationKind): void; + } + + /** + */ + interface ObjectKindModificationConstructor { + + new (): ObjectKindModification; + } + + interface ObjectKindModificationFetchOptions extends FetchOptions<ObjectKindModification>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<ObjectKindModification>; + + count(arg0: number): FetchOptions<ObjectKindModification>; + + from(arg0: number): FetchOptions<ObjectKindModification>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): ObjectKindModificationSortOptions; + + sortBy(): ObjectKindModificationSortOptions; + } + + /** + */ + interface ObjectKindModificationFetchOptionsConstructor { + + new (): ObjectKindModificationFetchOptions; + } + + interface ObjectKindModificationSearchCriteria extends AbstractCompositeSearchCriteria { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withObjectKind(): ObjectKindCriteria; + + withOperationKind(): OperationKindCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + } + + /** + */ + interface ObjectKindModificationSearchCriteriaConstructor { + + new (): ObjectKindModificationSearchCriteria; + } + + interface ObjectKindModificationSortOptions extends SortOptions<ObjectKindModification> { + + getSortings(): Sorting[]; + } + + /** + */ + interface ObjectKindModificationSortOptionsConstructor { + + new (): ObjectKindModificationSortOptions; + } + + /** + */ + interface ObjectKindObject { + /** + */ + AUTHORIZATION_GROUP: ObjectKind<> = "AUTHORIZATION_GROUP"; + /** + */ + DATASET_TYPE: ObjectKind<> = "DATASET_TYPE"; + /** + */ + DATA_SET: ObjectKind<> = "DATA_SET"; + /** + */ + DELETION: ObjectKind<> = "DELETION"; + /** + */ + EXPERIMENT: ObjectKind<> = "EXPERIMENT"; + /** + */ + EXPERIMENT_TYPE: ObjectKind<> = "EXPERIMENT_TYPE"; + /** + */ + FILE_FORMAT_TYPE: ObjectKind<> = "FILE_FORMAT_TYPE"; + /** + */ + GRID_CUSTOM_COLUMN: ObjectKind<> = "GRID_CUSTOM_COLUMN"; + /** + */ + GRID_CUSTOM_FILTER: ObjectKind<> = "GRID_CUSTOM_FILTER"; + /** + */ + MATERIAL: ObjectKind<> = "MATERIAL"; + /** + */ + MATERIAL_TYPE: ObjectKind<> = "MATERIAL_TYPE"; + /** + */ + METAPROJECT: ObjectKind<> = "METAPROJECT"; + /** + */ + PERSON: ObjectKind<> = "PERSON"; + /** + */ + PERSONAL_ACCESS_TOKEN: ObjectKind<> = "PERSONAL_ACCESS_TOKEN"; + /** + */ + POSTREGISTRATION_QUEUE: ObjectKind<> = "POSTREGISTRATION_QUEUE"; + /** + */ + PROJECT: ObjectKind<> = "PROJECT"; + /** + */ + PROPERTY_TYPE: ObjectKind<> = "PROPERTY_TYPE"; + /** + */ + PROPERTY_TYPE_ASSIGNMENT: ObjectKind<> = "PROPERTY_TYPE_ASSIGNMENT"; + /** + */ + QUERY: ObjectKind<> = "QUERY"; + /** + */ + ROLE_ASSIGNMENT: ObjectKind<> = "ROLE_ASSIGNMENT"; + /** + */ + SAMPLE: ObjectKind<> = "SAMPLE"; + /** + */ + SAMPLE_TYPE: ObjectKind<> = "SAMPLE_TYPE"; + /** + */ + SCRIPT: ObjectKind<> = "SCRIPT"; + /** + */ + SPACE: ObjectKind<> = "SPACE"; + /** + */ + VOCABULARY: ObjectKind<> = "VOCABULARY"; + /** + */ + VOCABULARY_TERM: ObjectKind<> = "VOCABULARY_TERM"; + } + + interface ObjectPermId extends IObjectId { + + getPermId(): string; + } + + /** + */ + interface ObjectPermIdConstructor { + + new (arg0: string): ObjectPermId; + } + + interface ObjectTechId extends IObjectId { + + getTechId(): number; + } + + /** + */ + interface ObjectTechIdConstructor { + + new (arg0: number): ObjectTechId; + } + + interface OpenBISJavaScriptDSSFacade { + + createDataSetUpload(arg0: string): Promise<CreateDataSetUploadResult>; + + createDataSets(arg1: FullDataSetCreation[]): Promise<DataSetPermId[]>; + + createUploadedDataSet(arg1: UploadedDataSetCreation): Promise<DataSetPermId>; + + executeCustomDSSService(arg1: ICustomDSSServiceId, arg2: CustomDSSServiceExecutionOptions): Promise<any>; + + searchFiles(arg1: DataSetFileSearchCriteria, arg2: DataSetFileFetchOptions): Promise<SearchResult<DataSetFile>>; + + uploadFilesWorkspaceDSS(arg0: any[]): Promise<string>; + } + + interface OpenBISJavaScriptFacade { + + archiveDataSets(arg1: IDataSetId[], arg2: DataSetArchiveOptions): Promise<void>; + + confirmDeletions(arg1: IDeletionId[]): Promise<void>; + + createAuthorizationGroups(arg1: AuthorizationGroupCreation[]): Promise<AuthorizationGroupPermId[]>; + + createCodes(arg1: string, arg2: EntityKind, arg3: number): Promise<string[]>; + + createDataSetTypes(arg1: DataSetTypeCreation[]): Promise<EntityTypePermId[]>; + + createDataSets(arg1: DataSetCreation[]): Promise<DataSetPermId[]>; + + createExperimentTypes(arg1: ExperimentTypeCreation[]): Promise<EntityTypePermId[]>; + + createExperiments(arg1: ExperimentCreation[]): Promise<ExperimentPermId[]>; + + createExternalDataManagementSystems(arg1: ExternalDmsCreation[]): Promise<ExternalDmsPermId[]>; + + createMaterialTypes(arg1: MaterialTypeCreation[]): Promise<EntityTypePermId[]>; + + createMaterials(arg1: MaterialCreation[]): Promise<MaterialPermId[]>; + + createPermIdStrings(arg1: number): Promise<string[]>; + + createPersonalAccessTokens(arg1: PersonalAccessTokenCreation[]): Promise<PersonalAccessTokenPermId[]>; + + createPersons(arg1: PersonCreation[]): Promise<PersonPermId[]>; + + createPlugins(arg1: PluginCreation[]): Promise<PluginPermId[]>; + + createProjects(arg1: ProjectCreation[]): Promise<ProjectPermId[]>; + + createPropertyTypes(arg1: PropertyTypeCreation[]): Promise<PropertyTypePermId[]>; + + createQueries(arg1: QueryCreation[]): Promise<QueryTechId[]>; + + createRoleAssignments(arg1: RoleAssignmentCreation[]): Promise<RoleAssignmentTechId[]>; + + createSampleTypes(arg1: SampleTypeCreation[]): Promise<EntityTypePermId[]>; + + createSamples(arg1: SampleCreation[]): Promise<SamplePermId[]>; + + createSemanticAnnotations(arg1: SemanticAnnotationCreation[]): Promise<SemanticAnnotationPermId[]>; + + createSpaces(arg1: SpaceCreation[]): Promise<SpacePermId[]>; + + createTags(arg1: TagCreation[]): Promise<TagPermId[]>; + + createVocabularies(arg1: VocabularyCreation[]): Promise<VocabularyPermId[]>; + + createVocabularyTerms(arg1: VocabularyTermCreation[]): Promise<VocabularyTermPermId[]>; + + deleteAuthorizationGroups(arg1: IAuthorizationGroupId[], arg2: AuthorizationGroupDeletionOptions): Promise<void>; + + deleteDataSetTypes(arg1: IEntityTypeId[], arg2: DataSetTypeDeletionOptions): Promise<void>; + + deleteDataSets(arg1: IDataSetId[], arg2: DataSetDeletionOptions): Promise<IDeletionId>; + + deleteExperimentTypes(arg1: IEntityTypeId[], arg2: ExperimentTypeDeletionOptions): Promise<void>; + + deleteExperiments(arg1: IExperimentId[], arg2: ExperimentDeletionOptions): Promise<IDeletionId>; + + deleteExternalDataManagementSystems(arg1: IExternalDmsId[], arg2: ExternalDmsDeletionOptions): Promise<void>; + + deleteMaterialTypes(arg1: IEntityTypeId[], arg2: MaterialTypeDeletionOptions): Promise<void>; + + deleteMaterials(arg1: IMaterialId[], arg2: MaterialDeletionOptions): Promise<void>; + + deleteOperationExecutions(arg1: IOperationExecutionId[], arg2: OperationExecutionDeletionOptions): Promise<void>; + + deletePersonalAccessTokens(arg1: IPersonalAccessTokenId[], arg2: PersonalAccessTokenDeletionOptions): Promise<void>; + + deletePersons(arg1: IPersonId[], arg2: PersonDeletionOptions): Promise<void>; + + deletePlugins(arg1: IPluginId[], arg2: PluginDeletionOptions): Promise<void>; + + deleteProjects(arg1: IProjectId[], arg2: ProjectDeletionOptions): Promise<void>; + + deletePropertyTypes(arg1: IPropertyTypeId[], arg2: PropertyTypeDeletionOptions): Promise<void>; + + deleteQueries(arg1: IQueryId[], arg2: QueryDeletionOptions): Promise<void>; + + deleteRoleAssignments(arg1: IRoleAssignmentId[], arg2: RoleAssignmentDeletionOptions): Promise<void>; + + deleteSampleTypes(arg1: IEntityTypeId[], arg2: SampleTypeDeletionOptions): Promise<void>; + + deleteSamples(arg1: ISampleId[], arg2: SampleDeletionOptions): Promise<IDeletionId>; + + deleteSemanticAnnotations(arg1: ISemanticAnnotationId[], arg2: SemanticAnnotationDeletionOptions): Promise<void>; + + deleteSpaces(arg1: ISpaceId[], arg2: SpaceDeletionOptions): Promise<void>; + + deleteTags(arg1: ITagId[], arg2: TagDeletionOptions): Promise<void>; + + deleteVocabularies(arg1: IVocabularyId[], arg2: VocabularyDeletionOptions): Promise<void>; + + deleteVocabularyTerms(arg1: IVocabularyTermId[], arg2: VocabularyTermDeletionOptions): Promise<void>; + + evaluatePlugin(arg1: PluginEvaluationOptions): Promise<PluginEvaluationResult>; + + executeAggregationService(arg1: IDssServiceId, arg2: AggregationServiceExecutionOptions): Promise<TableModel>; + + executeCustomASService(arg1: ICustomASServiceId, arg2: CustomASServiceExecutionOptions): Promise<any>; + + executeExport(arg1: ExportData, arg2: ExportOptions): Promise<ExportResult>; + + executeImport(arg1: IImportData, arg2: ImportOptions): Promise<void>; + + executeOperations(arg1: IOperation[], arg2: IOperationExecutionOptions): Promise<IOperationExecutionResults>; + + executeProcessingService(arg1: IDssServiceId, arg2: ProcessingServiceExecutionOptions): Promise<void>; + + executeQuery(arg1: IQueryId, arg2: QueryExecutionOptions): Promise<TableModel>; + + executeReportingService(arg1: IDssServiceId, arg2: ReportingServiceExecutionOptions): Promise<TableModel>; + + executeSearchDomainService(arg1: SearchDomainServiceExecutionOptions): Promise<SearchResult<SearchDomainServiceExecutionResult>>; + + executeSql(arg1: string, arg2: SqlExecutionOptions): Promise<TableModel>; + + getAuthorizationGroups(arg1: IAuthorizationGroupId[], arg2: AuthorizationGroupFetchOptions): Promise<{ [index: string]: AuthorizationGroup }>; + + getDataSetTypes(arg1: IEntityTypeId[], arg2: DataSetTypeFetchOptions): Promise<{ [index: string]: DataSetType }>; + + getDataSets(arg1: IDataSetId[], arg2: DataSetFetchOptions): Promise<{ [index: string]: DataSet }>; + + getDataStoreFacade(): OpenBISJavaScriptDSSFacade; + + getDataStoreFacade(arg0: string[]): OpenBISJavaScriptDSSFacade; + + getExperimentTypes(arg1: IEntityTypeId[], arg2: ExperimentTypeFetchOptions): Promise<{ [index: string]: ExperimentType }>; + + getExperiments(arg1: IExperimentId[], arg2: ExperimentFetchOptions): Promise<{ [index: string]: Experiment }>; + + getExternalDataManagementSystems(arg1: IExternalDmsId[], arg2: ExternalDmsFetchOptions): Promise<{ [index: string]: ExternalDms }>; + + getMajorVersion(): Promise<number>; + + getMaterialTypes(arg1: IEntityTypeId[], arg2: MaterialTypeFetchOptions): Promise<{ [index: string]: MaterialType }>; + + getMaterials(arg1: IMaterialId[], arg2: MaterialFetchOptions): Promise<{ [index: string]: Material }>; + + getMinorVersion(): Promise<number>; + + getOperationExecutions(arg1: IOperationExecutionId[], arg2: OperationExecutionFetchOptions): Promise<{ [index: string]: OperationExecution }>; + + getPersonalAccessTokens(arg1: IPersonalAccessTokenId[], arg2: PersonalAccessTokenFetchOptions): Promise<{ [index: string]: PersonalAccessToken }>; + + getPersons(arg1: IPersonId[], arg2: PersonFetchOptions): Promise<{ [index: string]: Person }>; + + getPlugins(arg1: IPluginId[], arg2: PluginFetchOptions): Promise<{ [index: string]: Plugin }>; + + getProjects(arg1: IProjectId[], arg2: ProjectFetchOptions): Promise<{ [index: string]: Project }>; + + getPropertyTypes(arg1: IPropertyTypeId[], arg2: PropertyTypeFetchOptions): Promise<{ [index: string]: PropertyType }>; + + getQueries(arg1: IQueryId[], arg2: QueryFetchOptions): Promise<{ [index: string]: Query }>; + + getQueryDatabases(arg1: IQueryDatabaseId[], arg2: QueryDatabaseFetchOptions): Promise<{ [index: string]: QueryDatabase }>; + + getRights(arg1: IObjectId[], arg2: RightsFetchOptions): Promise<{ [index: string]: Rights }>; + + getRoleAssignments(arg1: IRoleAssignmentId[], arg2: RoleAssignmentFetchOptions): Promise<{ [index: string]: RoleAssignment }>; + + getSampleTypes(arg1: IEntityTypeId[], arg2: SampleTypeFetchOptions): Promise<{ [index: string]: SampleType }>; + + getSamples(arg1: ISampleId[], arg2: SampleFetchOptions): Promise<{ [index: string]: Sample }>; + + getSemanticAnnotations(arg1: ISemanticAnnotationId[], arg2: SemanticAnnotationFetchOptions): Promise<{ [index: string]: SemanticAnnotation }>; + + getServerInformation(): Promise<{ [index: string]: string }>; + + getServerPublicInformation(): Promise<{ [index: string]: string }>; + + getSessionInformation(): Promise<SessionInformation>; + + getSpaces(arg1: ISpaceId[], arg2: SpaceFetchOptions): Promise<{ [index: string]: Space }>; + + getTags(arg1: ITagId[], arg2: TagFetchOptions): Promise<{ [index: string]: Tag }>; + + getVocabularies(arg1: IVocabularyId[], arg2: VocabularyFetchOptions): Promise<{ [index: string]: Vocabulary }>; + + getVocabularyTerms(arg1: IVocabularyTermId[], arg2: VocabularyTermFetchOptions): Promise<{ [index: string]: VocabularyTerm }>; + + isSessionActive(): Promise<boolean>; + + lockDataSets(arg1: IDataSetId[], arg2: DataSetLockOptions): Promise<void>; + + login(arg0: string, arg1: string): Promise<string>; + + loginAs(arg0: string, arg1: string, arg2: string): Promise<string>; + + loginAsAnonymousUser(): Promise<string>; + + logout(): Promise<void>; + + revertDeletions(arg1: IDeletionId[]): Promise<void>; + + searchAggregationServices(arg1: AggregationServiceSearchCriteria, arg2: AggregationServiceFetchOptions): Promise<SearchResult<AggregationService>>; + + searchAuthorizationGroups(arg1: AuthorizationGroupSearchCriteria, arg2: AuthorizationGroupFetchOptions): Promise<SearchResult<AuthorizationGroup>>; + + searchCustomASServices(arg1: CustomASServiceSearchCriteria, arg2: CustomASServiceFetchOptions): Promise<SearchResult<CustomASService>>; + + searchDataSetTypes(arg1: DataSetTypeSearchCriteria, arg2: DataSetTypeFetchOptions): Promise<SearchResult<DataSetType>>; + + searchDataSets(arg1: DataSetSearchCriteria, arg2: DataSetFetchOptions): Promise<SearchResult<DataSet>>; + + searchDataStores(arg1: DataStoreSearchCriteria, arg2: DataStoreFetchOptions): Promise<SearchResult<DataStore>>; + + searchDeletions(arg1: DeletionSearchCriteria, arg2: DeletionFetchOptions): Promise<SearchResult<Deletion>>; + + searchEvents(arg1: EventSearchCriteria, arg2: EventFetchOptions): Promise<SearchResult<Event>>; + + searchExperimentTypes(arg1: ExperimentTypeSearchCriteria, arg2: ExperimentTypeFetchOptions): Promise<SearchResult<ExperimentType>>; + + searchExperiments(arg1: ExperimentSearchCriteria, arg2: ExperimentFetchOptions): Promise<SearchResult<Experiment>>; + + searchExternalDataManagementSystems(arg1: as_dto_externaldms_search_ExternalDmsSearchCriteria, arg2: ExternalDmsFetchOptions): Promise<SearchResult<ExternalDms>>; + + searchGlobally(arg1: GlobalSearchCriteria, arg2: GlobalSearchObjectFetchOptions): Promise<SearchResult<GlobalSearchObject>>; + + searchMaterialTypes(arg1: MaterialTypeSearchCriteria, arg2: MaterialTypeFetchOptions): Promise<SearchResult<MaterialType>>; + + searchMaterials(arg1: MaterialSearchCriteria, arg2: MaterialFetchOptions): Promise<SearchResult<Material>>; + + searchObjectKindModifications(arg1: ObjectKindModificationSearchCriteria, arg2: ObjectKindModificationFetchOptions): Promise<SearchResult<ObjectKindModification>>; + + searchOperationExecutions(arg1: OperationExecutionSearchCriteria, arg2: OperationExecutionFetchOptions): Promise<SearchResult<OperationExecution>>; + + searchPersonalAccessTokens(arg1: PersonalAccessTokenSearchCriteria, arg2: PersonalAccessTokenFetchOptions): Promise<SearchResult<PersonalAccessToken>>; + + searchPersons(arg1: PersonSearchCriteria, arg2: PersonFetchOptions): Promise<SearchResult<Person>>; + + searchPlugins(arg1: PluginSearchCriteria, arg2: PluginFetchOptions): Promise<SearchResult<Plugin>>; + + searchProcessingServices(arg1: ProcessingServiceSearchCriteria, arg2: ProcessingServiceFetchOptions): Promise<SearchResult<ProcessingService>>; + + searchProjects(arg1: ProjectSearchCriteria, arg2: ProjectFetchOptions): Promise<SearchResult<Project>>; + + searchPropertyAssignments(arg1: PropertyAssignmentSearchCriteria, arg2: PropertyAssignmentFetchOptions): Promise<SearchResult<PropertyAssignment>>; + + searchPropertyTypes(arg1: PropertyTypeSearchCriteria, arg2: PropertyTypeFetchOptions): Promise<SearchResult<PropertyType>>; + + searchQueries(arg1: QuerySearchCriteria, arg2: QueryFetchOptions): Promise<SearchResult<Query>>; + + searchQueryDatabases(arg1: QueryDatabaseSearchCriteria, arg2: QueryDatabaseFetchOptions): Promise<SearchResult<QueryDatabase>>; + + searchReportingServices(arg1: ReportingServiceSearchCriteria, arg2: ReportingServiceFetchOptions): Promise<SearchResult<ReportingService>>; + + searchRoleAssignments(arg1: RoleAssignmentSearchCriteria, arg2: RoleAssignmentFetchOptions): Promise<SearchResult<RoleAssignment>>; + + searchSampleTypes(arg1: SampleTypeSearchCriteria, arg2: SampleTypeFetchOptions): Promise<SearchResult<SampleType>>; + + searchSamples(arg1: SampleSearchCriteria, arg2: SampleFetchOptions): Promise<SearchResult<Sample>>; + + searchSearchDomainServices(arg1: SearchDomainServiceSearchCriteria, arg2: SearchDomainServiceFetchOptions): Promise<SearchResult<SearchDomainService>>; + + searchSemanticAnnotations(arg1: SemanticAnnotationSearchCriteria, arg2: SemanticAnnotationFetchOptions): Promise<SearchResult<SemanticAnnotation>>; + + searchSessionInformation(arg1: SessionInformationSearchCriteria, arg2: SessionInformationFetchOptions): Promise<SearchResult<SessionInformation>>; + + searchSpaces(arg1: SpaceSearchCriteria, arg2: SpaceFetchOptions): Promise<SearchResult<Space>>; + + searchTags(arg1: TagSearchCriteria, arg2: TagFetchOptions): Promise<SearchResult<Tag>>; + + searchVocabularies(arg1: VocabularySearchCriteria, arg2: VocabularyFetchOptions): Promise<SearchResult<Vocabulary>>; + + searchVocabularyTerms(arg1: VocabularyTermSearchCriteria, arg2: VocabularyTermFetchOptions): Promise<SearchResult<VocabularyTerm>>; + + unarchiveDataSets(arg1: IDataSetId[], arg2: DataSetUnarchiveOptions): Promise<void>; + + unlockDataSets(arg1: IDataSetId[], arg2: DataSetUnlockOptions): Promise<void>; + + updateAuthorizationGroups(arg1: AuthorizationGroupUpdate[]): Promise<void>; + + updateDataSetTypes(arg1: DataSetTypeUpdate[]): Promise<void>; + + updateDataSets(arg1: DataSetUpdate[]): Promise<void>; + + updateExperimentTypes(arg1: ExperimentTypeUpdate[]): Promise<void>; + + updateExperiments(arg1: ExperimentUpdate[]): Promise<void>; + + updateExternalDataManagementSystems(arg1: ExternalDmsUpdate[]): Promise<void>; + + updateMaterialTypes(arg1: MaterialTypeUpdate[]): Promise<void>; + + updateMaterials(arg1: MaterialUpdate[]): Promise<void>; + + updateOperationExecutions(arg1: OperationExecutionUpdate[]): Promise<void>; + + updatePersonalAccessTokens(arg1: PersonalAccessTokenUpdate[]): Promise<void>; + + updatePersons(arg1: PersonUpdate[]): Promise<void>; + + updatePlugins(arg1: PluginUpdate[]): Promise<void>; + + updateProjects(arg1: ProjectUpdate[]): Promise<void>; + + updatePropertyTypes(arg1: PropertyTypeUpdate[]): Promise<void>; + + updateQueries(arg1: QueryUpdate[]): Promise<void>; + + updateSampleTypes(arg1: SampleTypeUpdate[]): Promise<void>; + + updateSamples(arg1: SampleUpdate[]): Promise<void>; + + updateSemanticAnnotations(arg1: SemanticAnnotationUpdate[]): Promise<void>; + + updateSpaces(arg1: SpaceUpdate[]): Promise<void>; + + updateTags(arg1: TagUpdate[]): Promise<void>; + + updateVocabularies(arg1: VocabularyUpdate[]): Promise<void>; + + updateVocabularyTerms(arg1: VocabularyTermUpdate[]): Promise<void>; + } + + /** + */ + interface OpenBISJavaScriptFacadeConstructor { + + new (): OpenBISJavaScriptFacade; + + new (arg0: string): OpenBISJavaScriptFacade; + } + + interface OperationExecution extends Serializable, ICodeHolder, IDescriptionHolder, IPermIdHolder { + + getAvailability(): OperationExecutionAvailability; + + getAvailabilityTime(): number; + + getCode(): string; + + getCreationDate(): number; + + getDescription(): string; + + getDetails(): OperationExecutionDetails; + + getDetailsAvailability(): OperationExecutionAvailability; + + getDetailsAvailabilityTime(): number; + + getFetchOptions(): OperationExecutionFetchOptions; + + getFinishDate(): number; + + getNotification(): IOperationExecutionNotification; + + getOwner(): Person; + + getPermId(): OperationExecutionPermId; + + getStartDate(): number; + + getState(): OperationExecutionState; + + getSummary(): OperationExecutionSummary; + + getSummaryAvailability(): OperationExecutionAvailability; + + getSummaryAvailabilityTime(): number; + + setAvailability(arg0: OperationExecutionAvailability): void; + + setAvailabilityTime(arg0: number): void; + + setCode(arg0: string): void; + + setCreationDate(arg0: number): void; + + setDescription(arg0: string): void; + + setDetails(arg0: OperationExecutionDetails): void; + + setDetailsAvailability(arg0: OperationExecutionAvailability): void; + + setDetailsAvailabilityTime(arg0: number): void; + + setFetchOptions(arg0: OperationExecutionFetchOptions): void; + + setFinishDate(arg0: number): void; + + setNotification(arg0: IOperationExecutionNotification): void; + + setOwner(arg0: Person): void; + + setPermId(arg0: OperationExecutionPermId): void; + + setStartDate(arg0: number): void; + + setState(arg0: OperationExecutionState): void; + + setSummary(arg0: OperationExecutionSummary): void; + + setSummaryAvailability(arg0: OperationExecutionAvailability): void; + + setSummaryAvailabilityTime(arg0: number): void; + } + + /** + */ + interface OperationExecutionAvailabilityObject { + /** + */ + AVAILABLE: OperationExecutionAvailability<> = "AVAILABLE"; + /** + */ + DELETED: OperationExecutionAvailability<> = "DELETED"; + /** + */ + DELETE_PENDING: OperationExecutionAvailability<> = "DELETE_PENDING"; + /** + */ + TIMED_OUT: OperationExecutionAvailability<> = "TIMED_OUT"; + /** + */ + TIME_OUT_PENDING: OperationExecutionAvailability<> = "TIME_OUT_PENDING"; + } + + /** + */ + interface OperationExecutionConstructor { + + new (): OperationExecution; + } + + interface OperationExecutionDeletionOptions extends AbstractObjectDeletionOptions<OperationExecutionDeletionOptions> { + + getReason(): string; + + setReason(arg0: string): OperationExecutionDeletionOptions; + } + + /** + */ + interface OperationExecutionDeletionOptionsConstructor { + + new (): OperationExecutionDeletionOptions; + } + + interface OperationExecutionDetails extends Serializable { + + getError(): IOperationExecutionError; + + getFetchOptions(): OperationExecutionDetailsFetchOptions; + + getOperations(): IOperation[]; + + getProgress(): IOperationExecutionProgress; + + getResults(): as_dto_common_operation_IOperationResult[]; + + setError(arg0: IOperationExecutionError): void; + + setFetchOptions(arg0: OperationExecutionDetailsFetchOptions): void; + + setOperations(arg0: IOperation[]): void; + + setProgress(arg0: IOperationExecutionProgress): void; + + setResults(arg0: as_dto_common_operation_IOperationResult[]): void; + } + + /** + */ + interface OperationExecutionDetailsConstructor { + + new (): OperationExecutionDetails; + } + + interface OperationExecutionDetailsFetchOptions extends FetchOptions<OperationExecutionDetails>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<OperationExecutionDetails>; + + count(arg0: number): FetchOptions<OperationExecutionDetails>; + + from(arg0: number): FetchOptions<OperationExecutionDetails>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): OperationExecutionDetailsSortOptions; + + hasError(): boolean; + + hasOperations(): boolean; + + hasProgress(): boolean; + + hasResults(): boolean; + + sortBy(): OperationExecutionDetailsSortOptions; + + withError(): EmptyFetchOptions; + + withErrorUsing(arg0: EmptyFetchOptions): EmptyFetchOptions; + + withOperations(): EmptyFetchOptions; + + withOperationsUsing(arg0: EmptyFetchOptions): EmptyFetchOptions; + + withProgress(): EmptyFetchOptions; + + withProgressUsing(arg0: EmptyFetchOptions): EmptyFetchOptions; + + withResults(): EmptyFetchOptions; + + withResultsUsing(arg0: EmptyFetchOptions): EmptyFetchOptions; + } + + /** + */ + interface OperationExecutionDetailsFetchOptionsConstructor { + + new (): OperationExecutionDetailsFetchOptions; + } + + interface OperationExecutionDetailsSortOptions extends SortOptions<OperationExecutionDetails> { + + getSortings(): Sorting[]; + } + + /** + */ + interface OperationExecutionDetailsSortOptionsConstructor { + + new (): OperationExecutionDetailsSortOptions; + } + + interface OperationExecutionEmailNotification extends IOperationExecutionNotification { + + getEmails(): string[]; + } + + /** + */ + interface OperationExecutionEmailNotificationConstructor { + + new (arg0: string[]): OperationExecutionEmailNotification; + + new (arg0: string[]): OperationExecutionEmailNotification; + } + + interface OperationExecutionError extends IOperationExecutionError { + + getMessage(): string; + } + + /** + */ + interface OperationExecutionErrorConstructor { + + new (arg0: string): OperationExecutionError; + } + + interface OperationExecutionFetchOptions extends FetchOptions<OperationExecution>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<OperationExecution>; + + count(arg0: number): FetchOptions<OperationExecution>; + + from(arg0: number): FetchOptions<OperationExecution>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): OperationExecutionSortOptions; + + hasDetails(): boolean; + + hasNotification(): boolean; + + hasOwner(): boolean; + + hasSummary(): boolean; + + sortBy(): OperationExecutionSortOptions; + + withDetails(): OperationExecutionDetailsFetchOptions; + + withDetailsUsing(arg0: OperationExecutionDetailsFetchOptions): OperationExecutionDetailsFetchOptions; + + withNotification(): OperationExecutionNotificationFetchOptions; + + withNotificationUsing(arg0: OperationExecutionNotificationFetchOptions): OperationExecutionNotificationFetchOptions; + + withOwner(): PersonFetchOptions; + + withOwnerUsing(arg0: PersonFetchOptions): PersonFetchOptions; + + withSummary(): OperationExecutionSummaryFetchOptions; + + withSummaryUsing(arg0: OperationExecutionSummaryFetchOptions): OperationExecutionSummaryFetchOptions; + } + + /** + */ + interface OperationExecutionFetchOptionsConstructor { + + new (): OperationExecutionFetchOptions; + } + + interface OperationExecutionNotificationFetchOptions extends FetchOptions<IOperationExecutionNotification>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<IOperationExecutionNotification>; + + count(arg0: number): FetchOptions<IOperationExecutionNotification>; + + from(arg0: number): FetchOptions<IOperationExecutionNotification>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): SortOptions<IOperationExecutionNotification>; + + sortBy(): SortOptions<IOperationExecutionNotification>; + } + + /** + */ + interface OperationExecutionNotificationFetchOptionsConstructor { + + new (): OperationExecutionNotificationFetchOptions; + } + + interface OperationExecutionNotificationSortOptions extends SortOptions<IOperationExecutionNotification> { + + getSortings(): Sorting[]; + } + + /** + */ + interface OperationExecutionNotificationSortOptionsConstructor { + + new (): OperationExecutionNotificationSortOptions; + } + + interface OperationExecutionPermId extends ObjectPermId, IOperationExecutionId { + + getPermId(): string; + } + + /** + */ + interface OperationExecutionPermIdConstructor { + + new (): OperationExecutionPermId; + + new (arg0: string): OperationExecutionPermId; + } + + interface OperationExecutionProgress extends IOperationExecutionProgress { + + getMessage(): string; + + getNumItemsProcessed(): number; + + getTotalItemsToProcess(): number; + } + + /** + */ + interface OperationExecutionProgressConstructor { + + new (arg0: string, arg1: number, arg2: number): OperationExecutionProgress; + } + + interface OperationExecutionSearchCriteria extends AbstractCompositeSearchCriteria { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + } + + /** + */ + interface OperationExecutionSearchCriteriaConstructor { + + new (): OperationExecutionSearchCriteria; + } + + interface OperationExecutionSortOptions extends SortOptions<OperationExecution> { + + getSortings(): Sorting[]; + } + + /** + */ + interface OperationExecutionSortOptionsConstructor { + + new (): OperationExecutionSortOptions; + } + + /** + */ + interface OperationExecutionStateObject { + /** + */ + FAILED: OperationExecutionState<> = "FAILED"; + /** + */ + FINISHED: OperationExecutionState<> = "FINISHED"; + /** + */ + NEW: OperationExecutionState<> = "NEW"; + /** + */ + RUNNING: OperationExecutionState<> = "RUNNING"; + /** + */ + SCHEDULED: OperationExecutionState<> = "SCHEDULED"; + } + + interface OperationExecutionSummary extends Serializable { + + getError(): string; + + getFetchOptions(): OperationExecutionSummaryFetchOptions; + + getOperations(): string[]; + + getProgress(): string; + + getResults(): string[]; + + setError(arg0: string): void; + + setFetchOptions(arg0: OperationExecutionSummaryFetchOptions): void; + + setOperations(arg0: string[]): void; + + setProgress(arg0: string): void; + + setResults(arg0: string[]): void; + } + + /** + */ + interface OperationExecutionSummaryConstructor { + + new (): OperationExecutionSummary; + } + + interface OperationExecutionSummaryFetchOptions extends FetchOptions<OperationExecutionSummary>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<OperationExecutionSummary>; + + count(arg0: number): FetchOptions<OperationExecutionSummary>; + + from(arg0: number): FetchOptions<OperationExecutionSummary>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): OperationExecutionSummarySortOptions; + + hasError(): boolean; + + hasOperations(): boolean; + + hasProgress(): boolean; + + hasResults(): boolean; + + sortBy(): OperationExecutionSummarySortOptions; + + withError(): EmptyFetchOptions; + + withErrorUsing(arg0: EmptyFetchOptions): EmptyFetchOptions; + + withOperations(): EmptyFetchOptions; + + withOperationsUsing(arg0: EmptyFetchOptions): EmptyFetchOptions; + + withProgress(): EmptyFetchOptions; + + withProgressUsing(arg0: EmptyFetchOptions): EmptyFetchOptions; + + withResults(): EmptyFetchOptions; + + withResultsUsing(arg0: EmptyFetchOptions): EmptyFetchOptions; + } + + /** + */ + interface OperationExecutionSummaryFetchOptionsConstructor { + + new (): OperationExecutionSummaryFetchOptions; + } + + interface OperationExecutionSummarySortOptions extends SortOptions<OperationExecutionSummary> { + + getSortings(): Sorting[]; + } + + /** + */ + interface OperationExecutionSummarySortOptionsConstructor { + + new (): OperationExecutionSummarySortOptions; + } + + interface OperationExecutionUpdate extends IUpdate, IObjectUpdate<IOperationExecutionId> { + + deleteDetails(): void; + + deleteSummary(): void; + + getDescription(): FieldUpdateValue<string>; + + getExecutionId(): IOperationExecutionId; + + getObjectId(): IOperationExecutionId; + + isDeleteDetails(): boolean; + + isDeleteSummary(): boolean; + + setDescription(arg0: string): void; + + setExecutionId(arg0: IOperationExecutionId): void; + } + + /** + */ + interface OperationExecutionUpdateConstructor { + + new (): OperationExecutionUpdate; + } + + interface OperationKindCriteria extends AbstractSearchCriteria { + + getOperationKinds(): OperationKind[]; + + isNegated(): boolean; + + thatIn(arg0: OperationKind[]): void; + + thatIn(arg0: OperationKind[]): void; + } + + /** + */ + interface OperationKindCriteriaConstructor { + + new (): OperationKindCriteria; + } + + /** + */ + interface OperationKindObject { + /** + */ + CREATE_OR_DELETE: OperationKind<> = "CREATE_OR_DELETE"; + /** + */ + UPDATE: OperationKind<> = "UPDATE"; + } + + interface PathSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface PathSearchCriteriaConstructor { + + new (): PathSearchCriteria; + } + + interface PermIdSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface PermIdSearchCriteriaConstructor { + + new (): PermIdSearchCriteria; + } + + interface Person extends Serializable, IPermIdHolder, IRegistrationDateHolder, IRegistratorHolder, ISpaceHolder { + + getEmail(): string; + + getFetchOptions(): PersonFetchOptions; + + getFirstName(): string; + + getLastName(): string; + + getPermId(): PersonPermId; + + getRegistrationDate(): number; + + getRegistrator(): Person; + + getRoleAssignments(): RoleAssignment[]; + + getSpace(): Space; + + getUserId(): string; + + getWebAppSettings(): { [index: string]: WebAppSettings }; + + getWebAppSettings(arg0: string): WebAppSettings; + + isActive(): boolean; + + setActive(arg0: boolean): void; + + setEmail(arg0: string): void; + + setFetchOptions(arg0: PersonFetchOptions): void; + + setFirstName(arg0: string): void; + + setLastName(arg0: string): void; + + setPermId(arg0: PersonPermId): void; + + setRegistrationDate(arg0: number): void; + + setRegistrator(arg0: Person): void; + + setRoleAssignments(arg0: RoleAssignment[]): void; + + setSpace(arg0: Space): void; + + setUserId(arg0: string): void; + + setWebAppSettings(arg0: { [index: string]: WebAppSettings }): void; + } + + /** + */ + interface PersonConstructor { + + new (): Person; + } + + interface PersonCreation extends ICreation, IObjectCreation { + + getSpaceId(): ISpaceId; + + getUserId(): string; + + setSpaceId(arg0: ISpaceId): void; + + setUserId(arg0: string): void; + } + + /** + */ + interface PersonCreationConstructor { + + new (): PersonCreation; + } + + interface PersonDeletionOptions extends AbstractObjectDeletionOptions<PersonDeletionOptions> { + + getReason(): string; + + setReason(arg0: string): PersonDeletionOptions; + } + + /** + */ + interface PersonDeletionOptionsConstructor { + + new (): PersonDeletionOptions; + } + + interface PersonFetchOptions extends FetchOptions<Person>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<Person>; + + count(arg0: number): FetchOptions<Person>; + + from(arg0: number): FetchOptions<Person>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): PersonSortOptions; + + getWebAppSettings(): { [index: string]: WebAppSettingsFetchOptions }; + + hasAllWebAppSettings(): boolean; + + hasRegistrator(): boolean; + + hasRoleAssignments(): boolean; + + hasSpace(): boolean; + + hasWebAppSettings(arg0: string): boolean; + + sortBy(): PersonSortOptions; + + withAllWebAppSettings(): void; + + withAllWebAppSettingsUsing(arg0: boolean): boolean; + + withRegistrator(): PersonFetchOptions; + + withRegistratorUsing(arg0: PersonFetchOptions): PersonFetchOptions; + + withRoleAssignments(): RoleAssignmentFetchOptions; + + withRoleAssignmentsUsing(arg0: RoleAssignmentFetchOptions): RoleAssignmentFetchOptions; + + withSpace(): SpaceFetchOptions; + + withSpaceUsing(arg0: SpaceFetchOptions): SpaceFetchOptions; + + withWebAppSettings(arg0: string): WebAppSettingsFetchOptions; + + withWebAppSettingsUsing(arg0: { [index: string]: WebAppSettingsFetchOptions }): { [index: string]: WebAppSettingsFetchOptions }; + } + + /** + */ + interface PersonFetchOptionsConstructor { + + new (): PersonFetchOptions; + } + + interface PersonPermId extends ObjectPermId, IPersonId { + + getPermId(): string; + } + + /** + */ + interface PersonPermIdConstructor { + + new (arg0: string): PersonPermId; + } + + interface PersonSearchCriteria extends AbstractObjectSearchCriteria<IPersonId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): PersonSearchCriteria; + + withEmail(): EmailSearchCriteria; + + withFirstName(): FirstNameSearchCriteria; + + withId(): IdSearchCriteria<IPersonId>; + + withLastName(): LastNameSearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): PersonSearchCriteria; + + withUserId(): UserIdSearchCriteria; + + withUserIds(): UserIdsSearchCriteria; + } + + /** + */ + interface PersonSearchCriteriaConstructor { + + new (): PersonSearchCriteria; + } + + interface PersonSortOptions extends SortOptions<Person> { + + getSortings(): Sorting[]; + } + + /** + */ + interface PersonSortOptionsConstructor { + + new (): PersonSortOptions; + } + + interface PersonUpdate extends IUpdate, IObjectUpdate<IPersonId> { + + activate(): void; + + deactivate(): void; + + getObjectId(): IPersonId; + + getSpaceId(): FieldUpdateValue<ISpaceId>; + + getUserId(): IPersonId; + + getWebAppSettings(): { [index: string]: WebAppSettingsUpdateValue }; + + getWebAppSettings(arg0: string): WebAppSettingsUpdateValue; + + isActive(): FieldUpdateValue<boolean>; + + setSpaceId(arg0: ISpaceId): void; + + setUserId(arg0: IPersonId): void; + } + + /** + */ + interface PersonUpdateConstructor { + + new (): PersonUpdate; + } + + interface PersonalAccessToken extends Serializable, IModificationDateHolder, IModifierHolder, IOwnerHolder, IPermIdHolder, IRegistrationDateHolder, IRegistratorHolder { + + getAccessDate(): number; + + getFetchOptions(): PersonalAccessTokenFetchOptions; + + getHash(): string; + + getModificationDate(): number; + + getModifier(): Person; + + getOwner(): Person; + + getPermId(): PersonalAccessTokenPermId; + + getRegistrationDate(): number; + + getRegistrator(): Person; + + getSessionName(): string; + + getValidFromDate(): number; + + getValidToDate(): number; + + setAccessDate(arg0: number): void; + + setFetchOptions(arg0: PersonalAccessTokenFetchOptions): void; + + setHash(arg0: string): void; + + setModificationDate(arg0: number): void; + + setModifier(arg0: Person): void; + + setOwner(arg0: Person): void; + + setPermId(arg0: PersonalAccessTokenPermId): void; + + setRegistrationDate(arg0: number): void; + + setRegistrator(arg0: Person): void; + + setSessionName(arg0: string): void; + + setValidFromDate(arg0: number): void; + + setValidToDate(arg0: number): void; + } + + /** + */ + interface PersonalAccessTokenConstructor { + + new (): PersonalAccessToken; + } + + interface PersonalAccessTokenCreation extends ICreation, IObjectCreation { + + getOwnerId(): IPersonId; + + getSessionName(): string; + + getValidFromDate(): number; + + getValidToDate(): number; + + setOwnerId(arg0: IPersonId): void; + + setSessionName(arg0: string): void; + + setValidFromDate(arg0: number): void; + + setValidToDate(arg0: number): void; + } + + /** + */ + interface PersonalAccessTokenCreationConstructor { + + new (): PersonalAccessTokenCreation; + } + + interface PersonalAccessTokenDeletionOptions extends AbstractObjectDeletionOptions<PersonalAccessTokenDeletionOptions> { + + getReason(): string; + + setReason(arg0: string): PersonalAccessTokenDeletionOptions; + } + + /** + */ + interface PersonalAccessTokenDeletionOptionsConstructor { + + new (): PersonalAccessTokenDeletionOptions; + } + + interface PersonalAccessTokenFetchOptions extends FetchOptions<PersonalAccessToken>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<PersonalAccessToken>; + + count(arg0: number): FetchOptions<PersonalAccessToken>; + + from(arg0: number): FetchOptions<PersonalAccessToken>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): PersonalAccessTokenSortOptions; + + hasModifier(): boolean; + + hasOwner(): boolean; + + hasRegistrator(): boolean; + + sortBy(): PersonalAccessTokenSortOptions; + + withModifier(): PersonFetchOptions; + + withModifierUsing(arg0: PersonFetchOptions): PersonFetchOptions; + + withOwner(): PersonFetchOptions; + + withOwnerUsing(arg0: PersonFetchOptions): PersonFetchOptions; + + withRegistrator(): PersonFetchOptions; + + withRegistratorUsing(arg0: PersonFetchOptions): PersonFetchOptions; + } + + /** + */ + interface PersonalAccessTokenFetchOptionsConstructor { + + new (): PersonalAccessTokenFetchOptions; + } + + interface PersonalAccessTokenOwnerSearchCriteria extends PersonSearchCriteria { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): PersonSearchCriteria; + + withEmail(): EmailSearchCriteria; + + withFirstName(): FirstNameSearchCriteria; + + withId(): IdSearchCriteria<IPersonId>; + + withLastName(): LastNameSearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): PersonSearchCriteria; + + withUserId(): UserIdSearchCriteria; + + withUserIds(): UserIdsSearchCriteria; + } + + /** + */ + interface PersonalAccessTokenOwnerSearchCriteriaConstructor { + + new (): PersonalAccessTokenOwnerSearchCriteria; + } + + interface PersonalAccessTokenPermId extends ObjectPermId, IPersonalAccessTokenId { + + getPermId(): string; + } + + /** + */ + interface PersonalAccessTokenPermIdConstructor { + + new (arg0: string): PersonalAccessTokenPermId; + } + + interface PersonalAccessTokenSearchCriteria extends AbstractObjectSearchCriteria<IPersonalAccessTokenId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): PersonalAccessTokenSearchCriteria; + + withId(): IdSearchCriteria<IPersonalAccessTokenId>; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): PersonalAccessTokenSearchCriteria; + + withOwner(): PersonalAccessTokenOwnerSearchCriteria; + + withSessionName(): as_dto_pat_search_PersonalAccessTokenSessionNameSearchCriteria; + } + + /** + */ + interface PersonalAccessTokenSearchCriteriaConstructor { + + new (): PersonalAccessTokenSearchCriteria; + } + + interface PersonalAccessTokenSessionSearchCriteria extends BooleanFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): boolean; + + isNegated(): boolean; + + setFieldValue(arg0: boolean): void; + + thatEquals(arg0: boolean): void; + } + + /** + */ + interface PersonalAccessTokenSessionSearchCriteriaConstructor { + + new (): PersonalAccessTokenSessionSearchCriteria; + } + + interface PersonalAccessTokenSortOptions extends SortOptions<PersonalAccessToken> { + + getSortings(): Sorting[]; + } + + /** + */ + interface PersonalAccessTokenSortOptionsConstructor { + + new (): PersonalAccessTokenSortOptions; + } + + interface PersonalAccessTokenUpdate extends IUpdate, IObjectUpdate<IPersonalAccessTokenId> { + + getAccessDate(): FieldUpdateValue<number>; + + getObjectId(): IPersonalAccessTokenId; + + getPersonalAccessTokenId(): IPersonalAccessTokenId; + + setAccessDate(arg0: number): void; + + setPersonalAccessTokenId(arg0: IPersonalAccessTokenId): void; + } + + /** + */ + interface PersonalAccessTokenUpdateConstructor { + + new (): PersonalAccessTokenUpdate; + } + + interface PhysicalData extends Serializable { + + getComplete(): Complete; + + getFetchOptions(): PhysicalDataFetchOptions; + + getFileFormatType(): FileFormatType; + + getLocation(): string; + + getLocatorType(): LocatorType; + + getShareId(): string; + + getSize(): number; + + getSpeedHint(): number; + + getStatus(): ArchivingStatus; + + getStorageFormat(): StorageFormat; + + isArchivingRequested(): boolean; + + isPresentInArchive(): boolean; + + isStorageConfirmation(): boolean; + + setArchivingRequested(arg0: boolean): void; + + setComplete(arg0: Complete): void; + + setFetchOptions(arg0: PhysicalDataFetchOptions): void; + + setFileFormatType(arg0: FileFormatType): void; + + setLocation(arg0: string): void; + + setLocatorType(arg0: LocatorType): void; + + setPresentInArchive(arg0: boolean): void; + + setShareId(arg0: string): void; + + setSize(arg0: number): void; + + setSpeedHint(arg0: number): void; + + setStatus(arg0: ArchivingStatus): void; + + setStorageConfirmation(arg0: boolean): void; + + setStorageFormat(arg0: StorageFormat): void; + } + + /** + */ + interface PhysicalDataConstructor { + + new (): PhysicalData; + } + + interface PhysicalDataCreation extends ICreation { + + getComplete(): Complete; + + getFileFormatTypeId(): IFileFormatTypeId; + + getLocation(): string; + + getLocatorTypeId(): ILocatorTypeId; + + getShareId(): string; + + getSize(): number; + + getSpeedHint(): number; + + getStorageFormatId(): IStorageFormatId; + + isArchivingRequested(): boolean; + + isH5Folders(): boolean; + + isH5arFolders(): boolean; + + setArchivingRequested(arg0: boolean): void; + + setComplete(arg0: Complete): void; + + setFileFormatTypeId(arg0: IFileFormatTypeId): void; + + setH5Folders(arg0: boolean): void; + + setH5arFolders(arg0: boolean): void; + + setLocation(arg0: string): void; + + setLocatorTypeId(arg0: ILocatorTypeId): void; + + setShareId(arg0: string): void; + + setSize(arg0: number): void; + + setSpeedHint(arg0: number): void; + + setStorageFormatId(arg0: IStorageFormatId): void; + } + + /** + */ + interface PhysicalDataCreationConstructor { + + new (): PhysicalDataCreation; + } + + interface PhysicalDataFetchOptions extends FetchOptions<PhysicalData>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<PhysicalData>; + + count(arg0: number): FetchOptions<PhysicalData>; + + from(arg0: number): FetchOptions<PhysicalData>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): PhysicalDataSortOptions; + + hasFileFormatType(): boolean; + + hasLocatorType(): boolean; + + hasStorageFormat(): boolean; + + sortBy(): PhysicalDataSortOptions; + + withFileFormatType(): FileFormatTypeFetchOptions; + + withFileFormatTypeUsing(arg0: FileFormatTypeFetchOptions): FileFormatTypeFetchOptions; + + withLocatorType(): LocatorTypeFetchOptions; + + withLocatorTypeUsing(arg0: LocatorTypeFetchOptions): LocatorTypeFetchOptions; + + withStorageFormat(): StorageFormatFetchOptions; + + withStorageFormatUsing(arg0: StorageFormatFetchOptions): StorageFormatFetchOptions; + } + + /** + */ + interface PhysicalDataFetchOptionsConstructor { + + new (): PhysicalDataFetchOptions; + } + + interface PhysicalDataSearchCriteria extends AbstractCompositeSearchCriteria { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withArchivingRequested(): ArchivingRequestedSearchCriteria; + + withComplete(): CompleteSearchCriteria; + + withFileFormatType(): FileFormatTypeSearchCriteria; + + withLocation(): LocationSearchCriteria; + + withLocatorType(): LocatorTypeSearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withPresentInArchive(): PresentInArchiveSearchCriteria; + + withShareId(): ShareIdSearchCriteria; + + withSize(): SizeSearchCriteria; + + withSpeedHint(): SpeedHintSearchCriteria; + + withStatus(): StatusSearchCriteria; + + withStorageConfirmation(): StorageConfirmationSearchCriteria; + + withStorageFormat(): StorageFormatSearchCriteria; + } + + /** + */ + interface PhysicalDataSearchCriteriaConstructor { + + new (): PhysicalDataSearchCriteria; + } + + interface PhysicalDataSortOptions extends SortOptions<PhysicalData> { + + getSortings(): Sorting[]; + } + + /** + */ + interface PhysicalDataSortOptionsConstructor { + + new (): PhysicalDataSortOptions; + } + + interface PhysicalDataUpdate extends IUpdate { + + getFileFormatTypeId(): FieldUpdateValue<IFileFormatTypeId>; + + isArchivingRequested(): FieldUpdateValue<boolean>; + + setArchivingRequested(arg0: boolean): void; + + setFileFormatTypeId(arg0: IFileFormatTypeId): void; + } + + /** + */ + interface PhysicalDataUpdateConstructor { + + new (): PhysicalDataUpdate; + } + + interface Plugin extends Serializable, IDescriptionHolder, IPermIdHolder, IRegistrationDateHolder, IRegistratorHolder { + + getDescription(): string; + + getEntityKinds(): EntityKind[]; + + getFetchOptions(): PluginFetchOptions; + + getName(): string; + + getPermId(): PluginPermId; + + getPluginKind(): PluginKind; + + getPluginType(): PluginType; + + getRegistrationDate(): number; + + getRegistrator(): Person; + + getScript(): string; + + isAvailable(): boolean; + + setAvailable(arg0: boolean): void; + + setDescription(arg0: string): void; + + setEntityKinds(arg0: EntityKind[]): void; + + setFetchOptions(arg0: PluginFetchOptions): void; + + setName(arg0: string): void; + + setPermId(arg0: PluginPermId): void; + + setPluginKind(arg0: PluginKind): void; + + setPluginType(arg0: PluginType): void; + + setRegistrationDate(arg0: number): void; + + setRegistrator(arg0: Person): void; + + setScript(arg0: string): void; + } + + /** + */ + interface PluginConstructor { + + new (): Plugin; + } + + interface PluginCreation extends ICreation, IObjectCreation { + + getDescription(): string; + + getEntityKind(): EntityKind; + + getName(): string; + + getPluginType(): PluginType; + + getScript(): string; + + isAvailable(): boolean; + + setAvailable(arg0: boolean): void; + + setDescription(arg0: string): void; + + setEntityKind(arg0: EntityKind): void; + + setName(arg0: string): void; + + setPluginType(arg0: PluginType): void; + + setScript(arg0: string): void; + } + + /** + */ + interface PluginCreationConstructor { + + new (): PluginCreation; + } + + interface PluginDeletionOptions extends AbstractObjectDeletionOptions<PluginDeletionOptions> { + + getReason(): string; + + setReason(arg0: string): PluginDeletionOptions; + } + + /** + */ + interface PluginDeletionOptionsConstructor { + + new (): PluginDeletionOptions; + } + + interface PluginEvaluationOptions extends Serializable { + + getPluginId(): IPluginId; + + getPluginScript(): string; + + setPluginId(arg0: IPluginId): void; + + setPluginScript(arg0: string): void; + } + + /** + */ + interface PluginEvaluationOptionsConstructor { + + new (): PluginEvaluationOptions; + } + + interface PluginEvaluationResult extends Serializable { + } + + /** + */ + interface PluginEvaluationResultConstructor { + + new (): PluginEvaluationResult; + } + + interface PluginFetchOptions extends FetchOptions<Plugin>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<Plugin>; + + count(arg0: number): FetchOptions<Plugin>; + + from(arg0: number): FetchOptions<Plugin>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): PluginSortOptions; + + hasRegistrator(): boolean; + + hasScript(): boolean; + + sortBy(): PluginSortOptions; + + withRegistrator(): PersonFetchOptions; + + withRegistratorUsing(arg0: PersonFetchOptions): PersonFetchOptions; + + withScript(): EmptyFetchOptions; + + withScriptUsing(arg0: EmptyFetchOptions): EmptyFetchOptions; + } + + /** + */ + interface PluginFetchOptionsConstructor { + + new (): PluginFetchOptions; + } + + /** + */ + interface PluginKindObject { + /** + */ + JYTHON: PluginKind<> = "JYTHON"; + /** + */ + PREDEPLOYED: PluginKind<> = "PREDEPLOYED"; + } + + interface PluginKindSearchCriteria extends EnumFieldSearchCriteria<PluginKind> { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): PluginKind; + + isNegated(): boolean; + + setFieldValue(arg0: PluginKind): void; + + thatEquals(arg0: PluginKind): void; + } + + /** + */ + interface PluginKindSearchCriteriaConstructor { + + new (): PluginKindSearchCriteria; + } + + interface PluginPermId extends ObjectPermId, IPluginId { + + getPermId(): string; + } + + /** + */ + interface PluginPermIdConstructor { + + new (arg0: string): PluginPermId; + } + + interface PluginSearchCriteria extends AbstractObjectSearchCriteria<IPluginId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): PluginSearchCriteria; + + withId(): IdSearchCriteria<IPluginId>; + + withIds(): IdsSearchCriteria<IPluginId>; + + withName(): NameSearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): PluginSearchCriteria; + + withPluginKind(): PluginKindSearchCriteria; + + withPluginType(): PluginTypeSearchCriteria; + } + + /** + */ + interface PluginSearchCriteriaConstructor { + + new (): PluginSearchCriteria; + } + + interface PluginSortOptions extends SortOptions<Plugin> { + + getName(): SortOrder; + + getSortings(): Sorting[]; + + name(): SortOrder; + } + + /** + */ + interface PluginSortOptionsConstructor { + + new (): PluginSortOptions; + } + + /** + */ + interface PluginTypeObject { + /** + */ + DYNAMIC_PROPERTY: PluginType<> = "DYNAMIC_PROPERTY"; + /** + */ + ENTITY_VALIDATION: PluginType<> = "ENTITY_VALIDATION"; + /** + */ + MANAGED_PROPERTY: PluginType<> = "MANAGED_PROPERTY"; + } + + interface PluginTypeSearchCriteria extends EnumFieldSearchCriteria<PluginType> { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): PluginType; + + isNegated(): boolean; + + setFieldValue(arg0: PluginType): void; + + thatEquals(arg0: PluginType): void; + } + + /** + */ + interface PluginTypeSearchCriteriaConstructor { + + new (): PluginTypeSearchCriteria; + } + + interface PluginUpdate extends IUpdate, IObjectUpdate<IPluginId> { + + getAvailable(): FieldUpdateValue<boolean>; + + getDescription(): FieldUpdateValue<string>; + + getObjectId(): IPluginId; + + getPluginId(): IPluginId; + + getScript(): FieldUpdateValue<string>; + + setAvailable(arg0: boolean): void; + + setDescription(arg0: string): void; + + setPluginId(arg0: IPluginId): void; + + setScript(arg0: string): void; + } + + /** + */ + interface PluginUpdateConstructor { + + new (): PluginUpdate; + } + + interface PredicateAccessionIdSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface PredicateAccessionIdSearchCriteriaConstructor { + + new (): PredicateAccessionIdSearchCriteria; + } + + interface PredicateOntologyIdSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface PredicateOntologyIdSearchCriteriaConstructor { + + new (): PredicateOntologyIdSearchCriteria; + } + + interface PredicateOntologyVersionSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface PredicateOntologyVersionSearchCriteriaConstructor { + + new (): PredicateOntologyVersionSearchCriteria; + } + + interface PresentInArchiveSearchCriteria extends BooleanFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): boolean; + + isNegated(): boolean; + + setFieldValue(arg0: boolean): void; + + thatEquals(arg0: boolean): void; + } + + /** + */ + interface PresentInArchiveSearchCriteriaConstructor { + + new (): PresentInArchiveSearchCriteria; + } + + interface ProcessingService extends INameHolder, ILabelHolder, IPermIdHolder, Serializable { + + getDataSetTypeCodes(): string[]; + + getFetchOptions(): ProcessingServiceFetchOptions; + + getLabel(): string; + + getName(): string; + + getPermId(): DssServicePermId; + + setDataSetTypeCodes(arg0: string[]): void; + + setFetchOptions(arg0: ProcessingServiceFetchOptions): void; + + setLabel(arg0: string): void; + + setName(arg0: string): void; + + setPermId(arg0: DssServicePermId): void; + } + + /** + */ + interface ProcessingServiceConstructor { + + new (): ProcessingService; + } + + interface ProcessingServiceExecutionOptions extends as_dto_service_execute_AbstractExecutionOptionsWithParameters<ProcessingServiceExecutionOptions, string>, IDataSetCodesHolder { + + getDataSetCodes(): string[]; + + getParameters(): { [index: string]: string }; + + withDataSets(arg0: string[]): ProcessingServiceExecutionOptions; + + withDataSets(arg0: string[]): ProcessingServiceExecutionOptions; + + withParameter(arg0: string, arg1: string): ProcessingServiceExecutionOptions; + } + + /** + */ + interface ProcessingServiceExecutionOptionsConstructor { + + new (): ProcessingServiceExecutionOptions; + } + + interface ProcessingServiceFetchOptions extends FetchOptions<ProcessingService>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<ProcessingService>; + + count(arg0: number): FetchOptions<ProcessingService>; + + from(arg0: number): FetchOptions<ProcessingService>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): SortOptions<ProcessingService>; + + sortBy(): SortOptions<ProcessingService>; + } + + /** + */ + interface ProcessingServiceFetchOptionsConstructor { + + new (): ProcessingServiceFetchOptions; + } + + interface ProcessingServiceSearchCriteria extends AbstractObjectSearchCriteria<IDssServiceId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): ProcessingServiceSearchCriteria; + + withId(): IdSearchCriteria<IDssServiceId>; + + withName(): NameSearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): ProcessingServiceSearchCriteria; + } + + /** + */ + interface ProcessingServiceSearchCriteriaConstructor { + + new (): ProcessingServiceSearchCriteria; + } + + interface ProcessingServiceSortOptions extends SortOptions<ProcessingService> { + + getSortings(): Sorting[]; + } + + /** + */ + interface ProcessingServiceSortOptionsConstructor { + + new (): ProcessingServiceSortOptions; + } + + interface Project extends Serializable, IAttachmentsHolder, ICodeHolder, IDescriptionHolder, IExperimentsHolder, IIdentifierHolder, IModificationDateHolder, IModifierHolder, IPermIdHolder, IRegistrationDateHolder, IRegistratorHolder, ISpaceHolder { + + getAttachments(): Attachment[]; + + getCode(): string; + + getDescription(): string; + + getExperiments(): Experiment[]; + + getExperimentsHistory(): HistoryEntry[]; + + getFetchOptions(): ProjectFetchOptions; + + getHistory(): HistoryEntry[]; + + getIdentifier(): ProjectIdentifier; + + getLeader(): Person; + + getModificationDate(): number; + + getModifier(): Person; + + getPermId(): ProjectPermId; + + getRegistrationDate(): number; + + getRegistrator(): Person; + + getSamples(): Sample[]; + + getSamplesHistory(): HistoryEntry[]; + + getSpace(): Space; + + getSpaceHistory(): HistoryEntry[]; + + getUnknownHistory(): HistoryEntry[]; + + isFrozen(): boolean; + + isFrozenForExperiments(): boolean; + + isFrozenForSamples(): boolean; + + setAttachments(arg0: Attachment[]): void; + + setCode(arg0: string): void; + + setDescription(arg0: string): void; + + setExperiments(arg0: Experiment[]): void; + + setExperimentsHistory(arg0: HistoryEntry[]): void; + + setFetchOptions(arg0: ProjectFetchOptions): void; + + setFrozen(arg0: boolean): void; + + setFrozenForExperiments(arg0: boolean): void; + + setFrozenForSamples(arg0: boolean): void; + + setHistory(arg0: HistoryEntry[]): void; + + setIdentifier(arg0: ProjectIdentifier): void; + + setLeader(arg0: Person): void; + + setModificationDate(arg0: number): void; + + setModifier(arg0: Person): void; + + setPermId(arg0: ProjectPermId): void; + + setRegistrationDate(arg0: number): void; + + setRegistrator(arg0: Person): void; + + setSamples(arg0: Sample[]): void; + + setSamplesHistory(arg0: HistoryEntry[]): void; + + setSpace(arg0: Space): void; + + setSpaceHistory(arg0: HistoryEntry[]): void; + + setUnknownHistory(arg0: HistoryEntry[]): void; + } + + /** + */ + interface ProjectConstructor { + + new (): Project; + } + + interface ProjectCreation extends ICreation, IObjectCreation, ICreationIdHolder { + + getAttachments(): AttachmentCreation[]; + + getCode(): string; + + getCreationId(): CreationId; + + getDescription(): string; + + getLeaderId(): IPersonId; + + getSpaceId(): ISpaceId; + + setAttachments(arg0: AttachmentCreation[]): void; + + setCode(arg0: string): void; + + setCreationId(arg0: CreationId): void; + + setDescription(arg0: string): void; + + setLeaderId(arg0: IPersonId): void; + + setSpaceId(arg0: ISpaceId): void; + } + + /** + */ + interface ProjectCreationConstructor { + + new (): ProjectCreation; + } + + interface ProjectDeletionOptions extends AbstractObjectDeletionOptions<ProjectDeletionOptions> { + + getReason(): string; + + setReason(arg0: string): ProjectDeletionOptions; + } + + /** + */ + interface ProjectDeletionOptionsConstructor { + + new (): ProjectDeletionOptions; + } + + interface ProjectFetchOptions extends FetchOptions<Project>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<Project>; + + count(arg0: number): FetchOptions<Project>; + + from(arg0: number): FetchOptions<Project>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): ProjectSortOptions; + + hasAttachments(): boolean; + + hasExperiments(): boolean; + + hasExperimentsHistory(): boolean; + + hasHistory(): boolean; + + hasLeader(): boolean; + + hasModifier(): boolean; + + hasRegistrator(): boolean; + + hasSamples(): boolean; + + hasSamplesHistory(): boolean; + + hasSpace(): boolean; + + hasSpaceHistory(): boolean; + + hasUnknownHistory(): boolean; + + sortBy(): ProjectSortOptions; + + withAttachments(): AttachmentFetchOptions; + + withAttachmentsUsing(arg0: AttachmentFetchOptions): AttachmentFetchOptions; + + withExperiments(): ExperimentFetchOptions; + + withExperimentsHistory(): HistoryEntryFetchOptions; + + withExperimentsHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + + withExperimentsUsing(arg0: ExperimentFetchOptions): ExperimentFetchOptions; + + withHistory(): HistoryEntryFetchOptions; + + withHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + + withLeader(): PersonFetchOptions; + + withLeaderUsing(arg0: PersonFetchOptions): PersonFetchOptions; + + withModifier(): PersonFetchOptions; + + withModifierUsing(arg0: PersonFetchOptions): PersonFetchOptions; + + withRegistrator(): PersonFetchOptions; + + withRegistratorUsing(arg0: PersonFetchOptions): PersonFetchOptions; + + withSamples(): SampleFetchOptions; + + withSamplesHistory(): HistoryEntryFetchOptions; + + withSamplesHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + + withSamplesUsing(arg0: SampleFetchOptions): SampleFetchOptions; + + withSpace(): SpaceFetchOptions; + + withSpaceHistory(): HistoryEntryFetchOptions; + + withSpaceHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + + withSpaceUsing(arg0: SpaceFetchOptions): SpaceFetchOptions; + + withUnknownHistory(): HistoryEntryFetchOptions; + + withUnknownHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + } + + /** + */ + interface ProjectFetchOptionsConstructor { + + new (): ProjectFetchOptions; + } + + interface ProjectIdentifier extends ObjectIdentifier, IProjectId { + + getIdentifier(): string; + } + + /** + */ + interface ProjectIdentifierConstructor { + + new (arg0: string): ProjectIdentifier; + + new (arg0: string, arg1: string): ProjectIdentifier; + } + + interface ProjectPermId extends ObjectPermId, IProjectId { + + getPermId(): string; + } + + /** + */ + interface ProjectPermIdConstructor { + + new (arg0: string): ProjectPermId; + } + + /** + */ + interface ProjectRelationTypeObject { + /** + */ + EXPERIMENT: ProjectRelationType<> = "EXPERIMENT"; + /** + */ + SAMPLE: ProjectRelationType<> = "SAMPLE"; + /** + */ + SPACE: ProjectRelationType<> = "SPACE"; + } + + interface ProjectSearchCriteria extends AbstractObjectSearchCriteria<IProjectId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): ProjectSearchCriteria; + + withCode(): CodeSearchCriteria; + + withCodes(): CodesSearchCriteria; + + withId(): IdSearchCriteria<IProjectId>; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): ProjectSearchCriteria; + + withPermId(): PermIdSearchCriteria; + + withSpace(): SpaceSearchCriteria; + } + + /** + */ + interface ProjectSearchCriteriaConstructor { + + new (): ProjectSearchCriteria; + } + + interface ProjectSortOptions extends EntitySortOptions<Project> { + + code(): SortOrder; + + getCode(): SortOrder; + + getIdentifier(): SortOrder; + + getModificationDate(): SortOrder; + + getPermId(): SortOrder; + + getRegistrationDate(): SortOrder; + + getSortings(): Sorting[]; + + identifier(): SortOrder; + + modificationDate(): SortOrder; + + permId(): SortOrder; + + registrationDate(): SortOrder; + } + + /** + */ + interface ProjectSortOptionsConstructor { + + new (): ProjectSortOptions; + } + + interface ProjectUpdate extends IUpdate, IObjectUpdate<IProjectId> { + + freeze(): void; + + freezeForExperiments(): void; + + freezeForSamples(): void; + + getAttachments(): AttachmentListUpdateValue; + + getDescription(): FieldUpdateValue<string>; + + getObjectId(): IProjectId; + + getProjectId(): IProjectId; + + getSpaceId(): FieldUpdateValue<ISpaceId>; + + setAttachmentsActions(arg0: ListUpdateAction<any>[]): void; + + setDescription(arg0: string): void; + + setProjectId(arg0: IProjectId): void; + + setSpaceId(arg0: ISpaceId): void; + + shouldBeFrozen(): boolean; + + shouldBeFrozenForExperiments(): boolean; + + shouldBeFrozenForSamples(): boolean; + } + + /** + */ + interface ProjectUpdateConstructor { + + new (): ProjectUpdate; + } + + interface PropertyAssignment extends Serializable, IPermIdHolder, IPropertyTypeHolder, IRegistrationDateHolder, IRegistratorHolder, ISemanticAnnotationsHolder { + + getEntityType(): IEntityType; + + getFetchOptions(): PropertyAssignmentFetchOptions; + + getOrdinal(): number; + + getPermId(): PropertyAssignmentPermId; + + getPlugin(): Plugin; + + getPropertyType(): PropertyType; + + getRegistrationDate(): number; + + getRegistrator(): Person; + + getSection(): string; + + getSemanticAnnotations(): SemanticAnnotation[]; + + isMandatory(): boolean; + + isSemanticAnnotationsInherited(): boolean; + + isShowInEditView(): boolean; + + isShowRawValueInForms(): boolean; + + isUnique(): boolean; + + setEntityType(arg0: IEntityType): void; + + setFetchOptions(arg0: PropertyAssignmentFetchOptions): void; + + setMandatory(arg0: boolean): void; + + setOrdinal(arg0: number): void; + + setPermId(arg0: PropertyAssignmentPermId): void; + + setPlugin(arg0: Plugin): void; + + setPropertyType(arg0: PropertyType): void; + + setRegistrationDate(arg0: number): void; + + setRegistrator(arg0: Person): void; + + setSection(arg0: string): void; + + setSemanticAnnotations(arg0: SemanticAnnotation[]): void; + + setSemanticAnnotationsInherited(arg0: boolean): void; + + setShowInEditView(arg0: boolean): void; + + setShowRawValueInForms(arg0: boolean): void; + + setUnique(arg0: boolean): void; + } + + /** + */ + interface PropertyAssignmentConstructor { + + new (): PropertyAssignment; + } + + interface PropertyAssignmentCreation extends ICreation { + + getInitialValueForExistingEntities(): string; + + getOrdinal(): number; + + getPluginId(): IPluginId; + + getPropertyTypeId(): IPropertyTypeId; + + getSection(): string; + + isMandatory(): boolean; + + isShowInEditView(): boolean; + + isShowRawValueInForms(): boolean; + + isUnique(): boolean; + + setInitialValueForExistingEntities(arg0: string): void; + + setMandatory(arg0: boolean): void; + + setOrdinal(arg0: number): void; + + setPluginId(arg0: IPluginId): void; + + setPropertyTypeId(arg0: IPropertyTypeId): void; + + setSection(arg0: string): void; + + setShowInEditView(arg0: boolean): void; + + setShowRawValueInForms(arg0: boolean): void; + + setUnique(arg0: boolean): void; + } + + /** + */ + interface PropertyAssignmentCreationConstructor { + + new (): PropertyAssignmentCreation; + } + + interface PropertyAssignmentFetchOptions extends FetchOptions<PropertyAssignment>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<PropertyAssignment>; + + count(arg0: number): FetchOptions<PropertyAssignment>; + + from(arg0: number): FetchOptions<PropertyAssignment>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): PropertyAssignmentSortOptions; + + hasEntityType(): boolean; + + hasPlugin(): boolean; + + hasPropertyType(): boolean; + + hasRegistrator(): boolean; + + hasSemanticAnnotations(): boolean; + + sortBy(): PropertyAssignmentSortOptions; + + withEntityType(): EntityTypeFetchOptions; + + withEntityTypeUsing(arg0: EntityTypeFetchOptions): EntityTypeFetchOptions; + + withPlugin(): PluginFetchOptions; + + withPluginUsing(arg0: PluginFetchOptions): PluginFetchOptions; + + withPropertyType(): PropertyTypeFetchOptions; + + withPropertyTypeUsing(arg0: PropertyTypeFetchOptions): PropertyTypeFetchOptions; + + withRegistrator(): PersonFetchOptions; + + withRegistratorUsing(arg0: PersonFetchOptions): PersonFetchOptions; + + withSemanticAnnotations(): SemanticAnnotationFetchOptions; + + withSemanticAnnotationsUsing(arg0: SemanticAnnotationFetchOptions): SemanticAnnotationFetchOptions; + } + + /** + */ + interface PropertyAssignmentFetchOptionsConstructor { + + new (): PropertyAssignmentFetchOptions; + } + + interface PropertyAssignmentListUpdateValue extends ListUpdateValue<PropertyAssignmentCreation, IPropertyAssignmentId, PropertyAssignmentCreation, any> { + + add(arg0: PropertyAssignmentCreation[]): void; + + getActions(): ListUpdateAction<any>[]; + + getAdded(): PropertyAssignmentCreation[]; + + getRemoved(): IPropertyAssignmentId[]; + + getSet(): PropertyAssignmentCreation[]; + + hasActions(): boolean; + + isForceRemovingAssignments(): boolean; + + remove(arg0: IPropertyAssignmentId[]): void; + + set(arg0: PropertyAssignmentCreation[]): void; + + setActions(arg0: ListUpdateAction<any>[]): void; + + setForceRemovingAssignments(arg0: boolean): void; + } + + /** + */ + interface PropertyAssignmentListUpdateValueConstructor { + + new (): PropertyAssignmentListUpdateValue; + } + + interface PropertyAssignmentPermId extends IPropertyAssignmentId { + + getEntityTypeId(): IEntityTypeId; + + getPropertyTypeId(): IPropertyTypeId; + } + + /** + */ + interface PropertyAssignmentPermIdConstructor { + + new (arg0: IEntityTypeId, arg1: IPropertyTypeId): PropertyAssignmentPermId; + } + + interface PropertyAssignmentSearchCriteria extends AbstractObjectSearchCriteria<IPropertyAssignmentId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): PropertyAssignmentSearchCriteria; + + withEntityType(): EntityTypeSearchCriteria; + + withId(): IdSearchCriteria<IPropertyAssignmentId>; + + withIds(): IdsSearchCriteria<IPropertyAssignmentId>; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): PropertyAssignmentSearchCriteria; + + withPropertyType(): PropertyTypeSearchCriteria; + + withSemanticAnnotations(): SemanticAnnotationSearchCriteria; + } + + /** + */ + interface PropertyAssignmentSearchCriteriaConstructor { + + new (): PropertyAssignmentSearchCriteria; + } + + interface PropertyAssignmentSortOptions extends SortOptions<PropertyAssignment> { + + code(): SortOrder; + + getCode(): SortOrder; + + getLabel(): SortOrder; + + getOrdinal(): SortOrder; + + getSortings(): Sorting[]; + + label(): SortOrder; + + ordinal(): SortOrder; + } + + /** + */ + interface PropertyAssignmentSortOptionsConstructor { + + new (): PropertyAssignmentSortOptions; + } + + interface PropertyFetchOptions extends EmptyFetchOptions { + + cacheMode(arg0: CacheMode): FetchOptions<void>; + + count(arg0: number): FetchOptions<void>; + + from(arg0: number): FetchOptions<void>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): SortOptions<void>; + + sortBy(): SortOptions<void>; + } + + /** + */ + interface PropertyFetchOptionsConstructor { + + new (): PropertyFetchOptions; + } + + interface PropertyHistoryEntry extends HistoryEntry { + + getAuthor(): Person; + + getFetchOptions(): HistoryEntryFetchOptions; + + getPropertyName(): string; + + getPropertyValue(): string; + + getValidFrom(): number; + + getValidTo(): number; + + setAuthor(arg0: Person): void; + + setFetchOptions(arg0: HistoryEntryFetchOptions): void; + + setPropertyName(arg0: string): void; + + setPropertyValue(arg0: string): void; + + setValidFrom(arg0: number): void; + + setValidTo(arg0: number): void; + } + + /** + */ + interface PropertyHistoryEntryConstructor { + + new (): PropertyHistoryEntry; + } + + interface PropertyType extends Serializable, ICodeHolder, IDescriptionHolder, IPermIdHolder, IRegistrationDateHolder, IRegistratorHolder, ISemanticAnnotationsHolder { + + getCode(): string; + + getDataType(): DataType; + + getDescription(): string; + + getFetchOptions(): PropertyTypeFetchOptions; + + getLabel(): string; + + getMaterialType(): MaterialType; + + getMetaData(): { [index: string]: string }; + + getPermId(): PropertyTypePermId; + + getRegistrationDate(): number; + + getRegistrator(): Person; + + getSampleType(): SampleType; + + getSchema(): string; + + getSemanticAnnotations(): SemanticAnnotation[]; + + getTransformation(): string; + + getVocabulary(): Vocabulary; + + isInternalNameSpace(): boolean; + + isManagedInternally(): boolean; + + isMultiValue(): boolean; + + setCode(arg0: string): void; + + setDataType(arg0: DataType): void; + + setDescription(arg0: string): void; + + setFetchOptions(arg0: PropertyTypeFetchOptions): void; + + setInternalNameSpace(arg0: boolean): void; + + setLabel(arg0: string): void; + + setManagedInternally(arg0: boolean): void; + + setMaterialType(arg0: MaterialType): void; + + setMetaData(arg0: { [index: string]: string }): void; + + setMultiValue(arg0: boolean): void; + + setPermId(arg0: PropertyTypePermId): void; + + setRegistrationDate(arg0: number): void; + + setRegistrator(arg0: Person): void; + + setSampleType(arg0: SampleType): void; + + setSchema(arg0: string): void; + + setSemanticAnnotations(arg0: SemanticAnnotation[]): void; + + setTransformation(arg0: string): void; + + setVocabulary(arg0: Vocabulary): void; + } + + /** + */ + interface PropertyTypeConstructor { + + new (): PropertyType; + } + + interface PropertyTypeCreation extends ICreation, IObjectCreation { + + getCode(): string; + + getDataType(): DataType; + + getDescription(): string; + + getLabel(): string; + + getMaterialTypeId(): IEntityTypeId; + + getMetaData(): { [index: string]: string }; + + getSampleTypeId(): IEntityTypeId; + + getSchema(): string; + + getTransformation(): string; + + getVocabularyId(): IVocabularyId; + + isInternalNameSpace(): boolean; + + isManagedInternally(): boolean; + + isMultiValue(): boolean; + + setCode(arg0: string): void; + + setDataType(arg0: DataType): void; + + setDescription(arg0: string): void; + + setInternalNameSpace(arg0: boolean): void; + + setLabel(arg0: string): void; + + setManagedInternally(arg0: boolean): void; + + setMaterialTypeId(arg0: IEntityTypeId): void; + + setMetaData(arg0: { [index: string]: string }): void; + + setMultiValue(arg0: boolean): void; + + setSampleTypeId(arg0: IEntityTypeId): void; + + setSchema(arg0: string): void; + + setTransformation(arg0: string): void; + + setVocabularyId(arg0: IVocabularyId): void; + } + + /** + */ + interface PropertyTypeCreationConstructor { + + new (): PropertyTypeCreation; + } + + interface PropertyTypeDeletionOptions extends AbstractObjectDeletionOptions<PropertyTypeDeletionOptions> { + + getReason(): string; + + setReason(arg0: string): PropertyTypeDeletionOptions; + } + + /** + */ + interface PropertyTypeDeletionOptionsConstructor { + + new (): PropertyTypeDeletionOptions; + } + + interface PropertyTypeFetchOptions extends FetchOptions<PropertyType>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<PropertyType>; + + count(arg0: number): FetchOptions<PropertyType>; + + from(arg0: number): FetchOptions<PropertyType>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): PropertyTypeSortOptions; + + hasMaterialType(): boolean; + + hasRegistrator(): boolean; + + hasSampleType(): boolean; + + hasSemanticAnnotations(): boolean; + + hasVocabulary(): boolean; + + sortBy(): PropertyTypeSortOptions; + + withMaterialType(): MaterialTypeFetchOptions; + + withMaterialTypeUsing(arg0: MaterialTypeFetchOptions): MaterialTypeFetchOptions; + + withRegistrator(): PersonFetchOptions; + + withRegistratorUsing(arg0: PersonFetchOptions): PersonFetchOptions; + + withSampleType(): SampleTypeFetchOptions; + + withSampleTypeUsing(arg0: SampleTypeFetchOptions): SampleTypeFetchOptions; + + withSemanticAnnotations(): SemanticAnnotationFetchOptions; + + withSemanticAnnotationsUsing(arg0: SemanticAnnotationFetchOptions): SemanticAnnotationFetchOptions; + + withVocabulary(): VocabularyFetchOptions; + + withVocabularyUsing(arg0: VocabularyFetchOptions): VocabularyFetchOptions; + } + + /** + */ + interface PropertyTypeFetchOptionsConstructor { + + new (): PropertyTypeFetchOptions; + } + + interface PropertyTypePermId extends ObjectPermId, IPropertyTypeId { + + getPermId(): string; + } + + /** + */ + interface PropertyTypePermIdConstructor { + + new (arg0: string): PropertyTypePermId; + } + + interface PropertyTypeSearchCriteria extends AbstractObjectSearchCriteria<IPropertyTypeId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): PropertyTypeSearchCriteria; + + withCode(): CodeSearchCriteria; + + withCodes(): CodesSearchCriteria; + + withId(): IdSearchCriteria<IPropertyTypeId>; + + withIds(): IdsSearchCriteria<IPropertyTypeId>; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): PropertyTypeSearchCriteria; + + withSemanticAnnotations(): SemanticAnnotationSearchCriteria; + } + + /** + */ + interface PropertyTypeSearchCriteriaConstructor { + + new (): PropertyTypeSearchCriteria; + } + + interface PropertyTypeSortOptions extends SortOptions<PropertyType> { + + code(): SortOrder; + + getCode(): SortOrder; + + getSortings(): Sorting[]; + } + + /** + */ + interface PropertyTypeSortOptionsConstructor { + + new (): PropertyTypeSortOptions; + } + + interface PropertyTypeUpdate extends IUpdate, IObjectUpdate<IPropertyTypeId> { + + convertToDataType(arg0: DataType): void; + + getDataTypeToBeConverted(): DataType; + + getDescription(): FieldUpdateValue<string>; + + getLabel(): FieldUpdateValue<string>; + + getMetaData(): ListUpdateMapValues; + + getObjectId(): IPropertyTypeId; + + getSchema(): FieldUpdateValue<string>; + + getTransformation(): FieldUpdateValue<string>; + + getTypeId(): IPropertyTypeId; + + setDescription(arg0: string): void; + + setLabel(arg0: string): void; + + setMetaDataActions(arg0: ListUpdateAction<any>[]): void; + + setSchema(arg0: string): void; + + setTransformation(arg0: string): void; + + setTypeId(arg0: IPropertyTypeId): void; + } + + /** + */ + interface PropertyTypeUpdateConstructor { + + new (): PropertyTypeUpdate; + } + + interface ProprietaryStorageFormatPermId extends StorageFormatPermId { + + getPermId(): string; + } + + /** + */ + interface ProprietaryStorageFormatPermIdConstructor { + + new (): ProprietaryStorageFormatPermId; + } + + interface Query extends Serializable, IDescriptionHolder, IModificationDateHolder, IRegistrationDateHolder, IRegistratorHolder { + + getDatabaseId(): IQueryDatabaseId; + + getDatabaseLabel(): string; + + getDescription(): string; + + getEntityTypeCodePattern(): string; + + getFetchOptions(): QueryFetchOptions; + + getModificationDate(): number; + + getName(): string; + + getPermId(): IQueryId; + + getQueryType(): QueryType; + + getRegistrationDate(): number; + + getRegistrator(): Person; + + getSql(): string; + + isPublic(): boolean; + + setDatabaseId(arg0: IQueryDatabaseId): void; + + setDatabaseLabel(arg0: string): void; + + setDescription(arg0: string): void; + + setEntityTypeCodePattern(arg0: string): void; + + setFetchOptions(arg0: QueryFetchOptions): void; + + setModificationDate(arg0: number): void; + + setName(arg0: string): void; + + setPermId(arg0: IQueryId): void; + + setPublic(arg0: boolean): void; + + setQueryType(arg0: QueryType): void; + + setRegistrationDate(arg0: number): void; + + setRegistrator(arg0: Person): void; + + setSql(arg0: string): void; + } + + /** + */ + interface QueryConstructor { + + new (): Query; + } + + interface QueryCreation extends ICreation, IObjectCreation { + + getDatabaseId(): IQueryDatabaseId; + + getDescription(): string; + + getEntityTypeCodePattern(): string; + + getName(): string; + + getQueryType(): QueryType; + + getSql(): string; + + isPublic(): boolean; + + setDatabaseId(arg0: IQueryDatabaseId): void; + + setDescription(arg0: string): void; + + setEntityTypeCodePattern(arg0: string): void; + + setName(arg0: string): void; + + setPublic(arg0: boolean): void; + + setQueryType(arg0: QueryType): void; + + setSql(arg0: string): void; + } + + /** + */ + interface QueryCreationConstructor { + + new (): QueryCreation; + } + + interface QueryDatabase extends Serializable, IPermIdHolder, ISpaceHolder { + + getCreatorMinimalRole(): Role; + + getCreatorMinimalRoleLevel(): RoleLevel; + + getFetchOptions(): QueryDatabaseFetchOptions; + + getLabel(): string; + + getName(): string; + + getPermId(): QueryDatabaseName; + + getSpace(): Space; + + setCreatorMinimalRole(arg0: Role): void; + + setCreatorMinimalRoleLevel(arg0: RoleLevel): void; + + setFetchOptions(arg0: QueryDatabaseFetchOptions): void; + + setLabel(arg0: string): void; + + setName(arg0: string): void; + + setPermId(arg0: QueryDatabaseName): void; + + setSpace(arg0: Space): void; + } + + /** + */ + interface QueryDatabaseConstructor { + + new (): QueryDatabase; + } + + interface QueryDatabaseFetchOptions extends FetchOptions<QueryDatabase>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<QueryDatabase>; + + count(arg0: number): FetchOptions<QueryDatabase>; + + from(arg0: number): FetchOptions<QueryDatabase>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): QueryDatabaseSortOptions; + + hasSpace(): boolean; + + sortBy(): QueryDatabaseSortOptions; + + withSpace(): SpaceFetchOptions; + + withSpaceUsing(arg0: SpaceFetchOptions): SpaceFetchOptions; + } + + /** + */ + interface QueryDatabaseFetchOptionsConstructor { + + new (): QueryDatabaseFetchOptions; + } + + interface QueryDatabaseName extends IQueryDatabaseId, Serializable { + + getName(): string; + } + + /** + */ + interface QueryDatabaseNameConstructor { + + new (arg0: string): QueryDatabaseName; + } + + interface QueryDatabaseSearchCriteria extends AbstractObjectSearchCriteria<IQueryDatabaseId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): QueryDatabaseSearchCriteria; + + withId(): IdSearchCriteria<IQueryDatabaseId>; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): QueryDatabaseSearchCriteria; + } + + /** + */ + interface QueryDatabaseSearchCriteriaConstructor { + + new (): QueryDatabaseSearchCriteria; + } + + interface QueryDatabaseSortOptions extends SortOptions<QueryDatabase> { + + getName(): SortOrder; + + getSortings(): Sorting[]; + + name(): SortOrder; + } + + /** + */ + interface QueryDatabaseSortOptionsConstructor { + + new (): QueryDatabaseSortOptions; + } + + interface QueryDeletionOptions extends AbstractObjectDeletionOptions<QueryDeletionOptions> { + + getReason(): string; + + setReason(arg0: string): QueryDeletionOptions; + } + + /** + */ + interface QueryDeletionOptionsConstructor { + + new (): QueryDeletionOptions; + } + + interface QueryExecutionOptions extends Serializable { + + getParameters(): { [index: string]: string }; + + withParameter(arg0: string, arg1: string): QueryExecutionOptions; + + withParameters(arg0: { [index: string]: string }): QueryExecutionOptions; + } + + /** + */ + interface QueryExecutionOptionsConstructor { + + new (): QueryExecutionOptions; + } + + interface QueryFetchOptions extends FetchOptions<Query>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<Query>; + + count(arg0: number): FetchOptions<Query>; + + from(arg0: number): FetchOptions<Query>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): QuerySortOptions; + + hasRegistrator(): boolean; + + sortBy(): QuerySortOptions; + + withRegistrator(): PersonFetchOptions; + + withRegistratorUsing(arg0: PersonFetchOptions): PersonFetchOptions; + } + + /** + */ + interface QueryFetchOptionsConstructor { + + new (): QueryFetchOptions; + } + + interface QueryName extends IQueryId, Serializable { + + getName(): string; + } + + /** + */ + interface QueryNameConstructor { + + new (arg0: string): QueryName; + } + + interface QuerySearchCriteria extends AbstractObjectSearchCriteria<IQueryId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): QuerySearchCriteria; + + withDatabaseId(): DatabaseIdSearchCriteria; + + withDescription(): DescriptionSearchCriteria; + + withEntityTypeCodePattern(): EntityTypeCodePatternSearchCriteria; + + withId(): IdSearchCriteria<IQueryId>; + + withName(): NameSearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): QuerySearchCriteria; + + withQueryType(): QueryTypeSearchCriteria; + + withSql(): SqlSearchCriteria; + } + + /** + */ + interface QuerySearchCriteriaConstructor { + + new (): QuerySearchCriteria; + } + + interface QuerySortOptions extends SortOptions<Query> { + + getSortings(): Sorting[]; + } + + /** + */ + interface QuerySortOptionsConstructor { + + new (): QuerySortOptions; + } + + interface QueryTechId extends ObjectTechId, IQueryId { + + getTechId(): number; + } + + /** + */ + interface QueryTechIdConstructor { + + new (arg0: number): QueryTechId; + } + + /** + */ + interface QueryTypeObject { + /** + */ + DATA_SET: QueryType<> = "DATA_SET"; + /** + */ + EXPERIMENT: QueryType<> = "EXPERIMENT"; + /** + */ + GENERIC: QueryType<> = "GENERIC"; + /** + */ + MATERIAL: QueryType<> = "MATERIAL"; + /** + */ + SAMPLE: QueryType<> = "SAMPLE"; + } + + interface QueryTypeSearchCriteria extends EnumFieldSearchCriteria<QueryType> { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): QueryType; + + isNegated(): boolean; + + setFieldValue(arg0: QueryType): void; + + thatEquals(arg0: QueryType): void; + } + + /** + */ + interface QueryTypeSearchCriteriaConstructor { + + new (): QueryTypeSearchCriteria; + } + + interface QueryUpdate extends IUpdate, IObjectUpdate<IQueryId> { + + getDatabaseId(): FieldUpdateValue<IQueryDatabaseId>; + + getDescription(): FieldUpdateValue<string>; + + getEntityTypeCodePattern(): FieldUpdateValue<string>; + + getName(): FieldUpdateValue<string>; + + getObjectId(): IQueryId; + + getQueryId(): IQueryId; + + getQueryType(): FieldUpdateValue<QueryType>; + + getSql(): FieldUpdateValue<string>; + + isPublic(): FieldUpdateValue<boolean>; + + setDatabaseId(arg0: IQueryDatabaseId): void; + + setDescription(arg0: string): void; + + setEntityTypeCodePattern(arg0: string): void; + + setName(arg0: string): void; + + setPublic(arg0: boolean): void; + + setQueryId(arg0: IQueryId): void; + + setQueryType(arg0: QueryType): void; + + setSql(arg0: string): void; + } + + /** + */ + interface QueryUpdateConstructor { + + new (): QueryUpdate; + } + + interface RegistrationDateSearchCriteria extends DateFieldSearchCriteria { + + formatValue(arg0: string, arg1: IDateFormat): number; + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): IDate; + + getTimeZone(): ITimeZone; + + isNegated(): boolean; + + setFieldValue(arg0: IDate): void; + + setTimeZone(arg0: ITimeZone): void; + + thatEquals(arg0: number): void; + + thatEquals(arg0: string): void; + + thatIsEarlierThan(arg0: number): void; + + thatIsEarlierThan(arg0: string): void; + + thatIsEarlierThanOrEqualTo(arg0: number): void; + + thatIsEarlierThanOrEqualTo(arg0: string): void; + + thatIsLaterThan(arg0: number): void; + + thatIsLaterThan(arg0: string): void; + + thatIsLaterThanOrEqualTo(arg0: number): void; + + thatIsLaterThanOrEqualTo(arg0: string): void; + + withServerTimeZone(): DateFieldSearchCriteria; + + withTimeZone(arg0: number): DateFieldSearchCriteria; + } + + /** + */ + interface RegistrationDateSearchCriteriaConstructor { + + new (): RegistrationDateSearchCriteria; + } + + interface RegistratorSearchCriteria extends PersonSearchCriteria { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): PersonSearchCriteria; + + withEmail(): EmailSearchCriteria; + + withFirstName(): FirstNameSearchCriteria; + + withId(): IdSearchCriteria<IPersonId>; + + withLastName(): LastNameSearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): PersonSearchCriteria; + + withUserId(): UserIdSearchCriteria; + + withUserIds(): UserIdsSearchCriteria; + } + + /** + */ + interface RegistratorSearchCriteriaConstructor { + + new (): RegistratorSearchCriteria; + } + + interface RelationHistoryEntry extends HistoryEntry { + + getAuthor(): Person; + + getFetchOptions(): HistoryEntryFetchOptions; + + getRelatedObjectId(): IObjectId; + + getRelationType(): IRelationType; + + getValidFrom(): number; + + getValidTo(): number; + + setAuthor(arg0: Person): void; + + setFetchOptions(arg0: HistoryEntryFetchOptions): void; + + setRelatedObjectId(arg0: IObjectId): void; + + setRelationType(arg0: IRelationType): void; + + setValidFrom(arg0: number): void; + + setValidTo(arg0: number): void; + } + + /** + */ + interface RelationHistoryEntryConstructor { + + new (): RelationHistoryEntry; + } + + interface Relationship extends Serializable { + + addChildAnnotation(arg0: string, arg1: string): Relationship; + + addParentAnnotation(arg0: string, arg1: string): Relationship; + + getChildAnnotations(): { [index: string]: string }; + + getParentAnnotations(): { [index: string]: string }; + + setChildAnnotations(arg0: { [index: string]: string }): void; + + setParentAnnotations(arg0: { [index: string]: string }): void; + } + + /** + */ + interface RelationshipConstructor { + + new (): Relationship; + } + + interface RelationshipUpdate extends Serializable { + + addChildAnnotation(arg0: string, arg1: string): RelationshipUpdate; + + addParentAnnotation(arg0: string, arg1: string): RelationshipUpdate; + + getChildAnnotations(): ListUpdateMapValues; + + getParentAnnotations(): ListUpdateMapValues; + + removeChildAnnotations(arg0: string[]): RelationshipUpdate; + + removeParentAnnotations(arg0: string[]): RelationshipUpdate; + + setChildAnnotations(arg0: ListUpdateMapValues): void; + + setParentAnnotations(arg0: ListUpdateMapValues): void; + + setRelationship(arg0: Relationship): void; + } + + /** + */ + interface RelationshipUpdateConstructor { + + new (): RelationshipUpdate; + } + + interface RelativeLocationLocatorTypePermId extends LocatorTypePermId { + + getPermId(): string; + } + + /** + */ + interface RelativeLocationLocatorTypePermIdConstructor { + + new (): RelativeLocationLocatorTypePermId; + } + + interface ReportingService extends INameHolder, ILabelHolder, IPermIdHolder, Serializable { + + getDataSetTypeCodes(): string[]; + + getFetchOptions(): ReportingServiceFetchOptions; + + getLabel(): string; + + getName(): string; + + getPermId(): DssServicePermId; + + setDataSetTypeCodes(arg0: string[]): void; + + setFetchOptions(arg0: ReportingServiceFetchOptions): void; + + setLabel(arg0: string): void; + + setName(arg0: string): void; + + setPermId(arg0: DssServicePermId): void; + } + + /** + */ + interface ReportingServiceConstructor { + + new (): ReportingService; + } + + interface ReportingServiceExecutionOptions extends Serializable, IDataSetCodesHolder { + + getDataSetCodes(): string[]; + + withDataSets(arg0: string[]): ReportingServiceExecutionOptions; + + withDataSets(arg0: string[]): ReportingServiceExecutionOptions; + } + + /** + */ + interface ReportingServiceExecutionOptionsConstructor { + + new (): ReportingServiceExecutionOptions; + } + + interface ReportingServiceFetchOptions extends FetchOptions<ReportingService>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<ReportingService>; + + count(arg0: number): FetchOptions<ReportingService>; + + from(arg0: number): FetchOptions<ReportingService>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): SortOptions<ReportingService>; + + sortBy(): SortOptions<ReportingService>; + } + + /** + */ + interface ReportingServiceFetchOptionsConstructor { + + new (): ReportingServiceFetchOptions; + } + + interface ReportingServiceSearchCriteria extends AbstractObjectSearchCriteria<IDssServiceId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): ReportingServiceSearchCriteria; + + withId(): IdSearchCriteria<IDssServiceId>; + + withName(): NameSearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): ReportingServiceSearchCriteria; + } + + /** + */ + interface ReportingServiceSearchCriteriaConstructor { + + new (): ReportingServiceSearchCriteria; + } + + interface ReportingServiceSortOptions extends SortOptions<ReportingService> { + + getSortings(): Sorting[]; + } + + /** + */ + interface ReportingServiceSortOptionsConstructor { + + new (): ReportingServiceSortOptions; + } + + interface RevertDeletionsOperation extends IOperation { + + getDeletionIds(): IDeletionId[]; + + getMessage(): string; + } + + /** + */ + interface RevertDeletionsOperationConstructor { + + new (arg0: IDeletionId[]): RevertDeletionsOperation; + } + + interface RevertDeletionsOperationResult extends as_dto_common_operation_IOperationResult { + + getMessage(): string; + } + + /** + */ + interface RevertDeletionsOperationResultConstructor { + + new (): RevertDeletionsOperationResult; + } + + /** + */ + interface RightObject { + /** + */ + CREATE: Right<> = "CREATE"; + /** + */ + DELETE: Right<> = "DELETE"; + /** + */ + UPDATE: Right<> = "UPDATE"; + } + + interface Rights extends Serializable { + + getRights(): Right[]; + + setRights(arg0: Right[]): void; + } + + /** + */ + interface RightsConstructor { + + new (arg0: Right[]): Rights; + } + + interface RightsFetchOptions extends EmptyFetchOptions { + + cacheMode(arg0: CacheMode): FetchOptions<void>; + + count(arg0: number): FetchOptions<void>; + + from(arg0: number): FetchOptions<void>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): SortOptions<void>; + + sortBy(): SortOptions<void>; + } + + /** + */ + interface RightsFetchOptionsConstructor { + + new (): RightsFetchOptions; + } + + interface RoleAssignment extends Serializable, ISpaceHolder, IRegistrationDateHolder, IRegistratorHolder { + + getAuthorizationGroup(): AuthorizationGroup; + + getFetchOptions(): RoleAssignmentFetchOptions; + + getId(): IRoleAssignmentId; + + getProject(): Project; + + getRegistrationDate(): number; + + getRegistrator(): Person; + + getRole(): Role; + + getRoleLevel(): RoleLevel; + + getSpace(): Space; + + getUser(): Person; + + setAuthorizationGroup(arg0: AuthorizationGroup): void; + + setFetchOptions(arg0: RoleAssignmentFetchOptions): void; + + setId(arg0: IRoleAssignmentId): void; + + setProject(arg0: Project): void; + + setRegistrationDate(arg0: number): void; + + setRegistrator(arg0: Person): void; + + setRole(arg0: Role): void; + + setRoleLevel(arg0: RoleLevel): void; + + setSpace(arg0: Space): void; + + setUser(arg0: Person): void; + } + + /** + */ + interface RoleAssignmentConstructor { + + new (): RoleAssignment; + } + + interface RoleAssignmentCreation extends ICreation, IObjectCreation { + + getAuthorizationGroupId(): IAuthorizationGroupId; + + getProjectId(): IProjectId; + + getRole(): Role; + + getSpaceId(): ISpaceId; + + getUserId(): IPersonId; + + setAuthorizationGroupId(arg0: IAuthorizationGroupId): void; + + setProjectId(arg0: IProjectId): void; + + setRole(arg0: Role): void; + + setSpaceId(arg0: ISpaceId): void; + + setUserId(arg0: IPersonId): void; + } + + /** + */ + interface RoleAssignmentCreationConstructor { + + new (): RoleAssignmentCreation; + } + + interface RoleAssignmentDeletionOptions extends AbstractObjectDeletionOptions<RoleAssignmentDeletionOptions> { + + getReason(): string; + + setReason(arg0: string): RoleAssignmentDeletionOptions; + } + + /** + */ + interface RoleAssignmentDeletionOptionsConstructor { + + new (): RoleAssignmentDeletionOptions; + } + + interface RoleAssignmentFetchOptions extends FetchOptions<RoleAssignment>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<RoleAssignment>; + + count(arg0: number): FetchOptions<RoleAssignment>; + + from(arg0: number): FetchOptions<RoleAssignment>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): RoleAssignmentSortOptions; + + hasAuthorizationGroup(): boolean; + + hasProject(): boolean; + + hasRegistrator(): boolean; + + hasSpace(): boolean; + + hasUser(): boolean; + + sortBy(): RoleAssignmentSortOptions; + + withAuthorizationGroup(): AuthorizationGroupFetchOptions; + + withAuthorizationGroupUsing(arg0: AuthorizationGroupFetchOptions): AuthorizationGroupFetchOptions; + + withProject(): ProjectFetchOptions; + + withProjectUsing(arg0: ProjectFetchOptions): ProjectFetchOptions; + + withRegistrator(): PersonFetchOptions; + + withRegistratorUsing(arg0: PersonFetchOptions): PersonFetchOptions; + + withSpace(): SpaceFetchOptions; + + withSpaceUsing(arg0: SpaceFetchOptions): SpaceFetchOptions; + + withUser(): PersonFetchOptions; + + withUserUsing(arg0: PersonFetchOptions): PersonFetchOptions; + } + + /** + */ + interface RoleAssignmentFetchOptionsConstructor { + + new (): RoleAssignmentFetchOptions; + } + + interface RoleAssignmentSearchCriteria extends AbstractObjectSearchCriteria<IRoleAssignmentId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): RoleAssignmentSearchCriteria; + + withAuthorizationGroup(): AuthorizationGroupSearchCriteria; + + withId(): IdSearchCriteria<IRoleAssignmentId>; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): RoleAssignmentSearchCriteria; + + withProject(): ProjectSearchCriteria; + + withSpace(): SpaceSearchCriteria; + + withUser(): PersonSearchCriteria; + } + + /** + */ + interface RoleAssignmentSearchCriteriaConstructor { + + new (): RoleAssignmentSearchCriteria; + } + + interface RoleAssignmentSortOptions extends SortOptions<RoleAssignment> { + + getSortings(): Sorting[]; + } + + /** + */ + interface RoleAssignmentSortOptionsConstructor { + + new (): RoleAssignmentSortOptions; + } + + interface RoleAssignmentTechId extends ObjectTechId, IRoleAssignmentId { + + getTechId(): number; + } + + /** + */ + interface RoleAssignmentTechIdConstructor { + + new (arg0: number): RoleAssignmentTechId; + } + + /** + */ + interface RoleLevelObject { + /** + */ + INSTANCE: RoleLevel<> = "INSTANCE"; + /** + */ + PROJECT: RoleLevel<> = "PROJECT"; + /** + */ + SPACE: RoleLevel<> = "SPACE"; + } + + /** + */ + interface RoleObject { + /** + */ + ADMIN: Role<> = "ADMIN"; + /** + */ + DISABLED: Role<> = "DISABLED"; + /** + */ + ETL_SERVER: Role<> = "ETL_SERVER"; + /** + */ + OBSERVER: Role<> = "OBSERVER"; + /** + */ + POWER_USER: Role<> = "POWER_USER"; + /** + */ + USER: Role<> = "USER"; + } + + interface Sample extends AbstractEntity<Sample>, Serializable, IAttachmentsHolder, ICodeHolder, IDataSetsHolder, IEntityTypeHolder, IExperimentHolder, IIdentifierHolder, IMaterialPropertiesHolder, IModificationDateHolder, IModifierHolder, IParentChildrenHolder<Sample>, IPermIdHolder, IProjectHolder, IPropertiesHolder, IRegistrationDateHolder, IRegistratorHolder, ISpaceHolder, ITagsHolder { + + getAttachments(): Attachment[]; + + getBooleanProperty(arg0: string): boolean; + + getChildRelationship(arg0: ISampleId): Relationship; + + getChildren(): Sample[]; + + getChildrenHistory(): HistoryEntry[]; + + getChildrenRelationships(): { [index: string]: Relationship }; + + getCode(): string; + + getComponents(): Sample[]; + + getComponentsHistory(): HistoryEntry[]; + + getContainer(): Sample; + + getContainerHistory(): HistoryEntry[]; + + getControlledVocabularyProperty(arg0: string): string; + + getDataSets(): DataSet[]; + + getDataSetsHistory(): HistoryEntry[]; + + getExperiment(): Experiment; + + getExperimentHistory(): HistoryEntry[]; + + getFetchOptions(): SampleFetchOptions; + + getHistory(): HistoryEntry[]; + + getHyperlinkProperty(arg0: string): string; + + getIdentifier(): SampleIdentifier; + + getIntegerArrayProperty(arg0: string): number[]; + + getIntegerProperty(arg0: string): number; + + getJsonProperty(arg0: string): string; + + getMaterialProperties(): { [index: string]: Material }; + + getMaterialProperty(arg0: string): Material; + + getMetaData(): { [index: string]: string }; + + getModificationDate(): number; + + getModifier(): Person; + + getMultiValueBooleanProperty(arg0: string): boolean[]; + + getMultiValueControlledVocabularyProperty(arg0: string): string[]; + + getMultiValueHyperlinkProperty(arg0: string): string[]; + + getMultiValueIntegerArrayProperty(arg0: string): number[][]; + + getMultiValueIntegerProperty(arg0: string): number[]; + + getMultiValueJsonProperty(arg0: string): string[]; + + getMultiValueRealArrayProperty(arg0: string): number[][]; + + getMultiValueRealProperty(arg0: string): number[]; + + getMultiValueSampleProperty(arg0: string): SamplePermId[]; + + getMultiValueStringArrayProperty(arg0: string): string[][]; + + getMultiValueStringProperty(arg0: string): string[]; + + getMultiValueTimestampArrayProperty(arg0: string): number[][]; + + getMultiValueTimestampProperty(arg0: string): number[]; + + getMultiValueXmlProperty(arg0: string): string[]; + + getParentRelationship(arg0: ISampleId): Relationship; + + getParents(): Sample[]; + + getParentsHistory(): HistoryEntry[]; + + getParentsRelationships(): { [index: string]: Relationship }; + + getPermId(): SamplePermId; + + getProject(): Project; + + getProjectHistory(): HistoryEntry[]; + + getProperties(): { [index: string]: Serializable }; + + getPropertiesHistory(): HistoryEntry[]; + + getProperty(arg0: string): Serializable; + + getRealArrayProperty(arg0: string): number[]; + + getRealProperty(arg0: string): number; + + getRegistrationDate(): number; + + getRegistrator(): Person; + + getSampleProperties(): { [index: string]: Sample[] }; + + getSampleProperty(arg0: string): SamplePermId; + + getSpace(): Space; + + getSpaceHistory(): HistoryEntry[]; + + getStringArrayProperty(arg0: string): string[]; + + getStringProperty(arg0: string): string; + + getTags(): Tag[]; + + getTimestampArrayProperty(arg0: string): number[]; + + getTimestampProperty(arg0: string): number; + + getType(): SampleType; + + getUnknownHistory(): HistoryEntry[]; + + getXmlProperty(arg0: string): string; + + isFrozen(): boolean; + + isFrozenForChildren(): boolean; + + isFrozenForComponents(): boolean; + + isFrozenForDataSets(): boolean; + + isFrozenForParents(): boolean; + + setAttachments(arg0: Attachment[]): void; + + setBooleanProperty(arg0: string, arg1: boolean): void; + + setChildren(arg0: Sample[]): void; + + setChildrenHistory(arg0: HistoryEntry[]): void; + + setChildrenRelationships(arg0: { [index: string]: Relationship }): void; + + setCode(arg0: string): void; + + setComponents(arg0: Sample[]): void; + + setComponentsHistory(arg0: HistoryEntry[]): void; + + setContainer(arg0: Sample): void; + + setContainerHistory(arg0: HistoryEntry[]): void; + + setControlledVocabularyProperty(arg0: string, arg1: string): void; + + setDataSets(arg0: DataSet[]): void; + + setDataSetsHistory(arg0: HistoryEntry[]): void; + + setExperiment(arg0: Experiment): void; + + setExperimentHistory(arg0: HistoryEntry[]): void; + + setFetchOptions(arg0: SampleFetchOptions): void; + + setFrozen(arg0: boolean): void; + + setFrozenForChildren(arg0: boolean): void; + + setFrozenForComponents(arg0: boolean): void; + + setFrozenForDataSets(arg0: boolean): void; + + setFrozenForParents(arg0: boolean): void; + + setHistory(arg0: HistoryEntry[]): void; + + setHyperlinkProperty(arg0: string, arg1: string): void; + + setIdentifier(arg0: SampleIdentifier): void; + + setIntegerArrayProperty(arg0: string, arg1: number[]): void; + + setIntegerProperty(arg0: string, arg1: number): void; + + setJsonProperty(arg0: string, arg1: string): void; + + setMaterialProperties(arg0: { [index: string]: Material }): void; + + setMaterialProperty(arg0: string, arg1: Material): void; + + setMetaData(arg0: { [index: string]: string }): void; + + setModificationDate(arg0: number): void; + + setModifier(arg0: Person): void; + + setMultiValueBooleanProperty(arg0: string, arg1: boolean[]): void; + + setMultiValueControlledVocabularyProperty(arg0: string, arg1: string[]): void; + + setMultiValueHyperlinkProperty(arg0: string, arg1: string[]): void; + + setMultiValueIntegerArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueIntegerProperty(arg0: string, arg1: number[]): void; + + setMultiValueJsonProperty(arg0: string, arg1: string[]): void; + + setMultiValueRealArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueRealProperty(arg0: string, arg1: number[]): void; + + setMultiValueSampleProperty(arg0: string, arg1: SamplePermId[]): void; + + setMultiValueStringArrayProperty(arg0: string, arg1: string[][]): void; + + setMultiValueStringProperty(arg0: string, arg1: string[]): void; + + setMultiValueTimestampArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueTimestampProperty(arg0: string, arg1: number[]): void; + + setMultiValueXmlProperty(arg0: string, arg1: string[]): void; + + setParents(arg0: Sample[]): void; + + setParentsHistory(arg0: HistoryEntry[]): void; + + setParentsRelationships(arg0: { [index: string]: Relationship }): void; + + setPermId(arg0: SamplePermId): void; + + setProject(arg0: Project): void; + + setProjectHistory(arg0: HistoryEntry[]): void; + + setProperties(arg0: { [index: string]: Serializable }): void; + + setPropertiesHistory(arg0: HistoryEntry[]): void; + + setProperty(arg0: string, arg1: Serializable): void; + + setRealArrayProperty(arg0: string, arg1: number[]): void; + + setRealProperty(arg0: string, arg1: number): void; + + setRegistrationDate(arg0: number): void; + + setRegistrator(arg0: Person): void; + + setSampleProperties(arg0: { [index: string]: Sample[] }): void; + + setSampleProperty(arg0: string, arg1: SamplePermId): void; + + setSpace(arg0: Space): void; + + setSpaceHistory(arg0: HistoryEntry[]): void; + + setStringArrayProperty(arg0: string, arg1: string[]): void; + + setStringProperty(arg0: string, arg1: string): void; + + setTags(arg0: Tag[]): void; + + setTimestampArrayProperty(arg0: string, arg1: number[]): void; + + setTimestampProperty(arg0: string, arg1: number): void; + + setType(arg0: SampleType): void; + + setUnknownHistory(arg0: HistoryEntry[]): void; + + setXmlProperty(arg0: string, arg1: string): void; + } + + interface SampleChildrenSearchCriteria extends AbstractSampleSearchCriteria<SampleChildrenSearchCriteria> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + getRelation(): SampleSearchRelation; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): SampleChildrenSearchCriteria; + + withAnyBooleanProperty(): AnyBooleanPropertySearchCriteria; + + withAnyDateProperty(): AnyDatePropertySearchCriteria; + + withAnyField(): AnyFieldSearchCriteria; + + withAnyNumberProperty(): AnyNumberPropertySearchCriteria; + + withAnyProperty(): AnyPropertySearchCriteria; + + withAnyStringProperty(): AnyStringPropertySearchCriteria; + + withBooleanProperty(arg0: string): BooleanPropertySearchCriteria; + + withCode(): CodeSearchCriteria; + + withCodes(): CodesSearchCriteria; + + withDateProperty(arg0: string): DatePropertySearchCriteria; + + withExperiment(): ExperimentSearchCriteria; + + withId(): IdSearchCriteria<ISampleId>; + + withIdentifier(): IdentifierSearchCriteria; + + withModificationDate(): ModificationDateSearchCriteria; + + withModifier(): ModifierSearchCriteria; + + withNumberProperty(arg0: string): NumberPropertySearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): SampleChildrenSearchCriteria; + + withPermId(): PermIdSearchCriteria; + + withProject(): ProjectSearchCriteria; + + withProperty(arg0: string): StringPropertySearchCriteria; + + withRegistrationDate(): RegistrationDateSearchCriteria; + + withRegistrator(): RegistratorSearchCriteria; + + withSampleProperty(arg0: string): SamplePropertySearchCriteria; + + withSpace(): SpaceSearchCriteria; + + withStringProperty(arg0: string): StrictlyStringPropertySearchCriteria; + + withTag(): TagSearchCriteria; + + withType(): SampleTypeSearchCriteria; + + withVocabularyProperty(arg0: string): ControlledVocabularyPropertySearchCriteria; + + withoutContainer(): SampleChildrenSearchCriteria; + + withoutExperiment(): SampleChildrenSearchCriteria; + + withoutProject(): SampleChildrenSearchCriteria; + + withoutSpace(): SampleChildrenSearchCriteria; + } + + /** + */ + interface SampleChildrenSearchCriteriaConstructor { + + new (): SampleChildrenSearchCriteria; + } + + /** + */ + interface SampleConstructor { + + new (): Sample; + } + + interface SampleContainerSearchCriteria extends AbstractSampleSearchCriteria<SampleContainerSearchCriteria> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + getRelation(): SampleSearchRelation; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): SampleContainerSearchCriteria; + + withAnyBooleanProperty(): AnyBooleanPropertySearchCriteria; + + withAnyDateProperty(): AnyDatePropertySearchCriteria; + + withAnyField(): AnyFieldSearchCriteria; + + withAnyNumberProperty(): AnyNumberPropertySearchCriteria; + + withAnyProperty(): AnyPropertySearchCriteria; + + withAnyStringProperty(): AnyStringPropertySearchCriteria; + + withBooleanProperty(arg0: string): BooleanPropertySearchCriteria; + + withCode(): CodeSearchCriteria; + + withCodes(): CodesSearchCriteria; + + withDateProperty(arg0: string): DatePropertySearchCriteria; + + withExperiment(): ExperimentSearchCriteria; + + withId(): IdSearchCriteria<ISampleId>; + + withIdentifier(): IdentifierSearchCriteria; + + withModificationDate(): ModificationDateSearchCriteria; + + withModifier(): ModifierSearchCriteria; + + withNumberProperty(arg0: string): NumberPropertySearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): SampleContainerSearchCriteria; + + withPermId(): PermIdSearchCriteria; + + withProject(): ProjectSearchCriteria; + + withProperty(arg0: string): StringPropertySearchCriteria; + + withRegistrationDate(): RegistrationDateSearchCriteria; + + withRegistrator(): RegistratorSearchCriteria; + + withSampleProperty(arg0: string): SamplePropertySearchCriteria; + + withSpace(): SpaceSearchCriteria; + + withStringProperty(arg0: string): StrictlyStringPropertySearchCriteria; + + withTag(): TagSearchCriteria; + + withType(): SampleTypeSearchCriteria; + + withVocabularyProperty(arg0: string): ControlledVocabularyPropertySearchCriteria; + + withoutContainer(): SampleContainerSearchCriteria; + + withoutExperiment(): SampleContainerSearchCriteria; + + withoutProject(): SampleContainerSearchCriteria; + + withoutSpace(): SampleContainerSearchCriteria; + } + + /** + */ + interface SampleContainerSearchCriteriaConstructor { + + new (): SampleContainerSearchCriteria; + } + + interface SampleCreation extends AbstractEntityCreation, ICreation, ICreationIdHolder, IPropertiesHolder, IObjectCreation { + + getAttachments(): AttachmentCreation[]; + + getBooleanProperty(arg0: string): boolean; + + getChildIds(): ISampleId[]; + + getCode(): string; + + getComponentIds(): ISampleId[]; + + getContainerId(): ISampleId; + + getControlledVocabularyProperty(arg0: string): string; + + getCreationId(): CreationId; + + getExperimentId(): IExperimentId; + + getHyperlinkProperty(arg0: string): string; + + getIntegerArrayProperty(arg0: string): number[]; + + getIntegerProperty(arg0: string): number; + + getJsonProperty(arg0: string): string; + + getMetaData(): { [index: string]: string }; + + getMultiValueBooleanProperty(arg0: string): boolean[]; + + getMultiValueControlledVocabularyProperty(arg0: string): string[]; + + getMultiValueHyperlinkProperty(arg0: string): string[]; + + getMultiValueIntegerArrayProperty(arg0: string): number[][]; + + getMultiValueIntegerProperty(arg0: string): number[]; + + getMultiValueJsonProperty(arg0: string): string[]; + + getMultiValueRealArrayProperty(arg0: string): number[][]; + + getMultiValueRealProperty(arg0: string): number[]; + + getMultiValueSampleProperty(arg0: string): SamplePermId[]; + + getMultiValueStringArrayProperty(arg0: string): string[][]; + + getMultiValueStringProperty(arg0: string): string[]; + + getMultiValueTimestampArrayProperty(arg0: string): number[][]; + + getMultiValueTimestampProperty(arg0: string): number[]; + + getMultiValueXmlProperty(arg0: string): string[]; + + getParentIds(): ISampleId[]; + + getProjectId(): IProjectId; + + getProperties(): { [index: string]: Serializable }; + + getProperty(arg0: string): Serializable; + + getRealArrayProperty(arg0: string): number[]; + + getRealProperty(arg0: string): number; + + getRelationships(): { [index: string]: Relationship }; + + getSampleProperty(arg0: string): SamplePermId; + + getSpaceId(): ISpaceId; + + getStringArrayProperty(arg0: string): string[]; + + getStringProperty(arg0: string): string; + + getTagIds(): ITagId[]; + + getTimestampArrayProperty(arg0: string): number[]; + + getTimestampProperty(arg0: string): number; + + getTypeId(): IEntityTypeId; + + getXmlProperty(arg0: string): string; + + isAutoGeneratedCode(): boolean; + + relationship(arg0: ISampleId): Relationship; + + setAttachments(arg0: AttachmentCreation[]): void; + + setAutoGeneratedCode(arg0: boolean): void; + + setBooleanProperty(arg0: string, arg1: boolean): void; + + setChildIds(arg0: ISampleId[]): void; + + setCode(arg0: string): void; + + setComponentIds(arg0: ISampleId[]): void; + + setContainerId(arg0: ISampleId): void; + + setControlledVocabularyProperty(arg0: string, arg1: string): void; + + setCreationId(arg0: CreationId): void; + + setExperimentId(arg0: IExperimentId): void; + + setHyperlinkProperty(arg0: string, arg1: string): void; + + setIntegerArrayProperty(arg0: string, arg1: number[]): void; + + setIntegerProperty(arg0: string, arg1: number): void; + + setJsonProperty(arg0: string, arg1: string): void; + + setMetaData(arg0: { [index: string]: string }): void; + + setMultiValueBooleanProperty(arg0: string, arg1: boolean[]): void; + + setMultiValueControlledVocabularyProperty(arg0: string, arg1: string[]): void; + + setMultiValueHyperlinkProperty(arg0: string, arg1: string[]): void; + + setMultiValueIntegerArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueIntegerProperty(arg0: string, arg1: number[]): void; + + setMultiValueJsonProperty(arg0: string, arg1: string[]): void; + + setMultiValueRealArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueRealProperty(arg0: string, arg1: number[]): void; + + setMultiValueSampleProperty(arg0: string, arg1: SamplePermId[]): void; + + setMultiValueStringArrayProperty(arg0: string, arg1: string[][]): void; + + setMultiValueStringProperty(arg0: string, arg1: string[]): void; + + setMultiValueTimestampArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueTimestampProperty(arg0: string, arg1: number[]): void; + + setMultiValueXmlProperty(arg0: string, arg1: string[]): void; + + setParentIds(arg0: ISampleId[]): void; + + setProjectId(arg0: IProjectId): void; + + setProperties(arg0: { [index: string]: Serializable }): void; + + setProperty(arg0: string, arg1: Serializable): void; + + setRealArrayProperty(arg0: string, arg1: number[]): void; + + setRealProperty(arg0: string, arg1: number): void; + + setRelationships(arg0: { [index: string]: Relationship }): void; + + setSampleProperty(arg0: string, arg1: SamplePermId): void; + + setSpaceId(arg0: ISpaceId): void; + + setStringArrayProperty(arg0: string, arg1: string[]): void; + + setStringProperty(arg0: string, arg1: string): void; + + setTagIds(arg0: ITagId[]): void; + + setTimestampArrayProperty(arg0: string, arg1: number[]): void; + + setTimestampProperty(arg0: string, arg1: number): void; + + setTypeId(arg0: IEntityTypeId): void; + + setXmlProperty(arg0: string, arg1: string): void; + } + + /** + */ + interface SampleCreationConstructor { + + new (): SampleCreation; + } + + interface SampleDeletionOptions extends AbstractObjectDeletionOptions<SampleDeletionOptions> { + + getReason(): string; + + setReason(arg0: string): SampleDeletionOptions; + } + + /** + */ + interface SampleDeletionOptionsConstructor { + + new (): SampleDeletionOptions; + } + + interface SampleFetchOptions extends AbstractEntityFetchOptions<Sample>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<Sample>; + + count(arg0: number): FetchOptions<Sample>; + + from(arg0: number): FetchOptions<Sample>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): SampleSortOptions; + + hasAttachments(): boolean; + + hasChildren(): boolean; + + hasChildrenHistory(): boolean; + + hasComponents(): boolean; + + hasComponentsHistory(): boolean; + + hasContainer(): boolean; + + hasContainerHistory(): boolean; + + hasDataSets(): boolean; + + hasDataSetsHistory(): boolean; + + hasExperiment(): boolean; + + hasExperimentHistory(): boolean; + + hasHistory(): boolean; + + hasMaterialProperties(): boolean; + + hasModifier(): boolean; + + hasParents(): boolean; + + hasParentsHistory(): boolean; + + hasProject(): boolean; + + hasProjectHistory(): boolean; + + hasProperties(): boolean; + + hasPropertiesHistory(): boolean; + + hasRegistrator(): boolean; + + hasSampleProperties(): boolean; + + hasSpace(): boolean; + + hasSpaceHistory(): boolean; + + hasTags(): boolean; + + hasType(): boolean; + + hasUnknownHistory(): boolean; + + sortBy(): SampleSortOptions; + + withAttachments(): AttachmentFetchOptions; + + withAttachmentsUsing(arg0: AttachmentFetchOptions): AttachmentFetchOptions; + + withChildren(): SampleFetchOptions; + + withChildrenHistory(): HistoryEntryFetchOptions; + + withChildrenHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + + withChildrenUsing(arg0: SampleFetchOptions): SampleFetchOptions; + + withComponents(): SampleFetchOptions; + + withComponentsHistory(): HistoryEntryFetchOptions; + + withComponentsHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + + withComponentsUsing(arg0: SampleFetchOptions): SampleFetchOptions; + + withContainer(): SampleFetchOptions; + + withContainerHistory(): HistoryEntryFetchOptions; + + withContainerHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + + withContainerUsing(arg0: SampleFetchOptions): SampleFetchOptions; + + withDataSets(): DataSetFetchOptions; + + withDataSetsHistory(): HistoryEntryFetchOptions; + + withDataSetsHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + + withDataSetsUsing(arg0: DataSetFetchOptions): DataSetFetchOptions; + + withExperiment(): ExperimentFetchOptions; + + withExperimentHistory(): HistoryEntryFetchOptions; + + withExperimentHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + + withExperimentUsing(arg0: ExperimentFetchOptions): ExperimentFetchOptions; + + withHistory(): HistoryEntryFetchOptions; + + withHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + + withMaterialProperties(): MaterialFetchOptions; + + withMaterialPropertiesUsing(arg0: MaterialFetchOptions): MaterialFetchOptions; + + withModifier(): PersonFetchOptions; + + withModifierUsing(arg0: PersonFetchOptions): PersonFetchOptions; + + withParents(): SampleFetchOptions; + + withParentsHistory(): HistoryEntryFetchOptions; + + withParentsHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + + withParentsUsing(arg0: SampleFetchOptions): SampleFetchOptions; + + withProject(): ProjectFetchOptions; + + withProjectHistory(): HistoryEntryFetchOptions; + + withProjectHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + + withProjectUsing(arg0: ProjectFetchOptions): ProjectFetchOptions; + + withProperties(): PropertyFetchOptions; + + withPropertiesHistory(): HistoryEntryFetchOptions; + + withPropertiesHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + + withPropertiesUsing(arg0: PropertyFetchOptions): PropertyFetchOptions; + + withRegistrator(): PersonFetchOptions; + + withRegistratorUsing(arg0: PersonFetchOptions): PersonFetchOptions; + + withSampleProperties(): SampleFetchOptions; + + withSamplePropertiesUsing(arg0: SampleFetchOptions): SampleFetchOptions; + + withSpace(): SpaceFetchOptions; + + withSpaceHistory(): HistoryEntryFetchOptions; + + withSpaceHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + + withSpaceUsing(arg0: SpaceFetchOptions): SpaceFetchOptions; + + withTags(): TagFetchOptions; + + withTagsUsing(arg0: TagFetchOptions): TagFetchOptions; + + withType(): SampleTypeFetchOptions; + + withTypeUsing(arg0: SampleTypeFetchOptions): SampleTypeFetchOptions; + + withUnknownHistory(): HistoryEntryFetchOptions; + + withUnknownHistoryUsing(arg0: HistoryEntryFetchOptions): HistoryEntryFetchOptions; + } + + /** + */ + interface SampleFetchOptionsConstructor { + + new (): SampleFetchOptions; + } + + interface SampleIdentifier extends ObjectIdentifier, ISampleId { + + getIdentifier(): string; + } + + /** + */ + interface SampleIdentifierConstructor { + + new (arg0: string): SampleIdentifier; + + new (arg0: string, arg1: string, arg2: string): SampleIdentifier; + + new (arg0: string, arg1: string, arg2: string, arg3: string): SampleIdentifier; + } + + interface SampleParentsSearchCriteria extends AbstractSampleSearchCriteria<SampleParentsSearchCriteria> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + getRelation(): SampleSearchRelation; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): SampleParentsSearchCriteria; + + withAnyBooleanProperty(): AnyBooleanPropertySearchCriteria; + + withAnyDateProperty(): AnyDatePropertySearchCriteria; + + withAnyField(): AnyFieldSearchCriteria; + + withAnyNumberProperty(): AnyNumberPropertySearchCriteria; + + withAnyProperty(): AnyPropertySearchCriteria; + + withAnyStringProperty(): AnyStringPropertySearchCriteria; + + withBooleanProperty(arg0: string): BooleanPropertySearchCriteria; + + withCode(): CodeSearchCriteria; + + withCodes(): CodesSearchCriteria; + + withDateProperty(arg0: string): DatePropertySearchCriteria; + + withExperiment(): ExperimentSearchCriteria; + + withId(): IdSearchCriteria<ISampleId>; + + withIdentifier(): IdentifierSearchCriteria; + + withModificationDate(): ModificationDateSearchCriteria; + + withModifier(): ModifierSearchCriteria; + + withNumberProperty(arg0: string): NumberPropertySearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): SampleParentsSearchCriteria; + + withPermId(): PermIdSearchCriteria; + + withProject(): ProjectSearchCriteria; + + withProperty(arg0: string): StringPropertySearchCriteria; + + withRegistrationDate(): RegistrationDateSearchCriteria; + + withRegistrator(): RegistratorSearchCriteria; + + withSampleProperty(arg0: string): SamplePropertySearchCriteria; + + withSpace(): SpaceSearchCriteria; + + withStringProperty(arg0: string): StrictlyStringPropertySearchCriteria; + + withTag(): TagSearchCriteria; + + withType(): SampleTypeSearchCriteria; + + withVocabularyProperty(arg0: string): ControlledVocabularyPropertySearchCriteria; + + withoutContainer(): SampleParentsSearchCriteria; + + withoutExperiment(): SampleParentsSearchCriteria; + + withoutProject(): SampleParentsSearchCriteria; + + withoutSpace(): SampleParentsSearchCriteria; + } + + /** + */ + interface SampleParentsSearchCriteriaConstructor { + + new (): SampleParentsSearchCriteria; + } + + interface SamplePermId extends ObjectPermId, ISampleId { + + getPermId(): string; + } + + /** + */ + interface SamplePermIdConstructor { + + new (arg0: string): SamplePermId; + } + + interface SamplePropertySearchCriteria extends AbstractFieldSearchCriteria<string> { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): string; + + isNegated(): boolean; + + setFieldValue(arg0: string): void; + + thatEquals(arg0: string): void; + } + + /** + */ + interface SamplePropertySearchCriteriaConstructor { + + new (arg0: string): SamplePropertySearchCriteria; + } + + /** + */ + interface SampleRelationTypeObject { + /** + */ + CHILD: SampleRelationType<> = "CHILD"; + /** + */ + COMPONENT: SampleRelationType<> = "COMPONENT"; + /** + */ + CONTAINER: SampleRelationType<> = "CONTAINER"; + /** + */ + DATA_SET: SampleRelationType<> = "DATA_SET"; + /** + */ + EXPERIMENT: SampleRelationType<> = "EXPERIMENT"; + /** + */ + PARENT: SampleRelationType<> = "PARENT"; + /** + */ + PROJECT: SampleRelationType<> = "PROJECT"; + /** + */ + SPACE: SampleRelationType<> = "SPACE"; + } + + interface SampleSearchCriteria extends AbstractSampleSearchCriteria<SampleSearchCriteria> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + getRelation(): SampleSearchRelation; + + isNegated(): boolean; + + negate(): SampleSearchCriteria; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): SampleSearchCriteria; + + withAnyBooleanProperty(): AnyBooleanPropertySearchCriteria; + + withAnyDateProperty(): AnyDatePropertySearchCriteria; + + withAnyField(): AnyFieldSearchCriteria; + + withAnyNumberProperty(): AnyNumberPropertySearchCriteria; + + withAnyProperty(): AnyPropertySearchCriteria; + + withAnyStringProperty(): AnyStringPropertySearchCriteria; + + withBooleanProperty(arg0: string): BooleanPropertySearchCriteria; + + withChildren(): SampleChildrenSearchCriteria; + + withCode(): CodeSearchCriteria; + + withCodes(): CodesSearchCriteria; + + withContainer(): SampleContainerSearchCriteria; + + withDateProperty(arg0: string): DatePropertySearchCriteria; + + withExperiment(): ExperimentSearchCriteria; + + withId(): IdSearchCriteria<ISampleId>; + + withIdentifier(): IdentifierSearchCriteria; + + withModificationDate(): ModificationDateSearchCriteria; + + withModifier(): ModifierSearchCriteria; + + withNumberProperty(arg0: string): NumberPropertySearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): SampleSearchCriteria; + + withParents(): SampleParentsSearchCriteria; + + withPermId(): PermIdSearchCriteria; + + withProject(): ProjectSearchCriteria; + + withProperty(arg0: string): StringPropertySearchCriteria; + + withRegistrationDate(): RegistrationDateSearchCriteria; + + withRegistrator(): RegistratorSearchCriteria; + + withSampleProperty(arg0: string): SamplePropertySearchCriteria; + + withSpace(): SpaceSearchCriteria; + + withStringProperty(arg0: string): StrictlyStringPropertySearchCriteria; + + withSubcriteria(): SampleSearchCriteria; + + withTag(): TagSearchCriteria; + + withTextAttribute(): TextAttributeSearchCriteria; + + withType(): SampleTypeSearchCriteria; + + withVocabularyProperty(arg0: string): ControlledVocabularyPropertySearchCriteria; + + withoutContainer(): SampleSearchCriteria; + + withoutExperiment(): SampleSearchCriteria; + + withoutProject(): SampleSearchCriteria; + + withoutSpace(): SampleSearchCriteria; + } + + /** + */ + interface SampleSearchCriteriaConstructor { + + new (): SampleSearchCriteria; + } + + /** + */ + interface SampleSearchRelationObject { + /** + */ + CHILDREN: SampleSearchRelation<> = "CHILDREN"; + /** + */ + CONTAINER: SampleSearchRelation<> = "CONTAINER"; + /** + */ + PARENTS: SampleSearchRelation<> = "PARENTS"; + /** + */ + SAMPLE: SampleSearchRelation<> = "SAMPLE"; + } + + interface SampleSortOptions extends EntityWithPropertiesSortOptions<Sample> { + + code(): SortOrder; + + fetchedFieldsScore(): SortOrder; + + getCode(): SortOrder; + + getFetchedFieldsScore(): SortOrder; + + getIdentifier(): SortOrder; + + getModificationDate(): SortOrder; + + getPermId(): SortOrder; + + getProperty(arg0: string): SortOrder; + + getRegistrationDate(): SortOrder; + + getSortings(): Sorting[]; + + getType(): SortOrder; + + identifier(): SortOrder; + + modificationDate(): SortOrder; + + permId(): SortOrder; + + property(arg0: string): SortOrder; + + registrationDate(): SortOrder; + + stringMatchAnyPropertyScore(arg0: string): SortOrder; + + stringMatchPropertyScore(arg0: string, arg1: string): SortOrder; + + stringPrefixMatchAnyPropertyScore(arg0: string): SortOrder; + + stringPrefixMatchPropertyScore(arg0: string, arg1: string): SortOrder; + + type(): SortOrder; + } + + /** + */ + interface SampleSortOptionsConstructor { + + new (): SampleSortOptions; + } + + interface SampleType extends Serializable, ICodeHolder, IDescriptionHolder, IEntityType, IModificationDateHolder, IPermIdHolder, IPropertyAssignmentsHolder, ISemanticAnnotationsHolder, IValidationPluginHolder { + + getCode(): string; + + getDescription(): string; + + getFetchOptions(): SampleTypeFetchOptions; + + getGeneratedCodePrefix(): string; + + getMetaData(): { [index: string]: string }; + + getModificationDate(): number; + + getPermId(): EntityTypePermId; + + getPropertyAssignments(): PropertyAssignment[]; + + getSemanticAnnotations(): SemanticAnnotation[]; + + getValidationPlugin(): Plugin; + + isAutoGeneratedCode(): boolean; + + isListable(): boolean; + + isShowContainer(): boolean; + + isShowParentMetadata(): boolean; + + isShowParents(): boolean; + + isSubcodeUnique(): boolean; + + setAutoGeneratedCode(arg0: boolean): void; + + setCode(arg0: string): void; + + setDescription(arg0: string): void; + + setFetchOptions(arg0: SampleTypeFetchOptions): void; + + setGeneratedCodePrefix(arg0: string): void; + + setListable(arg0: boolean): void; + + setMetaData(arg0: { [index: string]: string }): void; + + setModificationDate(arg0: number): void; + + setPermId(arg0: EntityTypePermId): void; + + setPropertyAssignments(arg0: PropertyAssignment[]): void; + + setSemanticAnnotations(arg0: SemanticAnnotation[]): void; + + setShowContainer(arg0: boolean): void; + + setShowParentMetadata(arg0: boolean): void; + + setShowParents(arg0: boolean): void; + + setSubcodeUnique(arg0: boolean): void; + + setValidationPlugin(arg0: Plugin): void; + } + + /** + */ + interface SampleTypeConstructor { + + new (): SampleType; + } + + interface SampleTypeCreation extends IEntityTypeCreation { + + getCode(): string; + + getDescription(): string; + + getGeneratedCodePrefix(): string; + + getMetaData(): { [index: string]: string }; + + getPropertyAssignments(): PropertyAssignmentCreation[]; + + getValidationPluginId(): IPluginId; + + isAutoGeneratedCode(): boolean; + + isListable(): boolean; + + isShowContainer(): boolean; + + isShowParentMetadata(): boolean; + + isShowParents(): boolean; + + isSubcodeUnique(): boolean; + + setAutoGeneratedCode(arg0: boolean): void; + + setCode(arg0: string): void; + + setDescription(arg0: string): void; + + setGeneratedCodePrefix(arg0: string): void; + + setListable(arg0: boolean): void; + + setMetaData(arg0: { [index: string]: string }): void; + + setPropertyAssignments(arg0: PropertyAssignmentCreation[]): void; + + setShowContainer(arg0: boolean): void; + + setShowParentMetadata(arg0: boolean): void; + + setShowParents(arg0: boolean): void; + + setSubcodeUnique(arg0: boolean): void; + + setValidationPluginId(arg0: IPluginId): void; + } + + /** + */ + interface SampleTypeCreationConstructor { + + new (): SampleTypeCreation; + } + + interface SampleTypeDeletionOptions extends AbstractObjectDeletionOptions<SampleTypeDeletionOptions> { + + getReason(): string; + + setReason(arg0: string): SampleTypeDeletionOptions; + } + + /** + */ + interface SampleTypeDeletionOptionsConstructor { + + new (): SampleTypeDeletionOptions; + } + + interface SampleTypeFetchOptions extends FetchOptions<SampleType>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<SampleType>; + + count(arg0: number): FetchOptions<SampleType>; + + from(arg0: number): FetchOptions<SampleType>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): SampleTypeSortOptions; + + hasPropertyAssignments(): boolean; + + hasSemanticAnnotations(): boolean; + + hasValidationPlugin(): boolean; + + sortBy(): SampleTypeSortOptions; + + withPropertyAssignments(): PropertyAssignmentFetchOptions; + + withPropertyAssignmentsUsing(arg0: PropertyAssignmentFetchOptions): PropertyAssignmentFetchOptions; + + withSemanticAnnotations(): SemanticAnnotationFetchOptions; + + withSemanticAnnotationsUsing(arg0: SemanticAnnotationFetchOptions): SemanticAnnotationFetchOptions; + + withValidationPlugin(): PluginFetchOptions; + + withValidationPluginUsing(arg0: PluginFetchOptions): PluginFetchOptions; + } + + /** + */ + interface SampleTypeFetchOptionsConstructor { + + new (): SampleTypeFetchOptions; + } + + interface SampleTypeSearchCriteria extends AbstractEntityTypeSearchCriteria { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): SampleTypeSearchCriteria; + + withCode(): CodeSearchCriteria; + + withCodes(): CodesSearchCriteria; + + withId(): IdSearchCriteria<IEntityTypeId>; + + withIds(): IdsSearchCriteria<IEntityTypeId>; + + withListable(): ListableSampleTypeSearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): SampleTypeSearchCriteria; + + withPermId(): PermIdSearchCriteria; + + withPropertyAssignments(): PropertyAssignmentSearchCriteria; + + withSemanticAnnotations(): SemanticAnnotationSearchCriteria; + } + + /** + */ + interface SampleTypeSearchCriteriaConstructor { + + new (): SampleTypeSearchCriteria; + } + + interface SampleTypeSortOptions extends SortOptions<SampleType> { + + getSortings(): Sorting[]; + } + + /** + */ + interface SampleTypeSortOptionsConstructor { + + new (): SampleTypeSortOptions; + } + + interface SampleTypeUpdate extends IEntityTypeUpdate, IMetaDataUpdateHolder { + + getDescription(): FieldUpdateValue<string>; + + getGeneratedCodePrefix(): FieldUpdateValue<string>; + + getMetaData(): ListUpdateMapValues; + + getObjectId(): IEntityTypeId; + + getPropertyAssignments(): PropertyAssignmentListUpdateValue; + + getTypeId(): IEntityTypeId; + + getValidationPluginId(): FieldUpdateValue<IPluginId>; + + isAutoGeneratedCode(): FieldUpdateValue<boolean>; + + isListable(): FieldUpdateValue<boolean>; + + isShowContainer(): FieldUpdateValue<boolean>; + + isShowParentMetadata(): FieldUpdateValue<boolean>; + + isShowParents(): FieldUpdateValue<boolean>; + + isSubcodeUnique(): FieldUpdateValue<boolean>; + + setAutoGeneratedCode(arg0: boolean): void; + + setDescription(arg0: string): void; + + setGeneratedCodePrefix(arg0: string): void; + + setListable(arg0: boolean): void; + + setMetaDataActions(arg0: ListUpdateAction<any>[]): void; + + setPropertyAssignmentActions(arg0: ListUpdateAction<any>[]): void; + + setShowContainer(arg0: boolean): void; + + setShowParentMetadata(arg0: boolean): void; + + setShowParents(arg0: boolean): void; + + setSubcodeUnique(arg0: boolean): void; + + setTypeId(arg0: IEntityTypeId): void; + + setValidationPluginId(arg0: IPluginId): void; + } + + /** + */ + interface SampleTypeUpdateConstructor { + + new (): SampleTypeUpdate; + } + + interface SampleUpdate extends AbstractEntityUpdate, IUpdate, IPropertiesHolder, IObjectUpdate<ISampleId>, IMetaDataUpdateHolder { + + freeze(): void; + + freezeForChildren(): void; + + freezeForComponents(): void; + + freezeForDataSets(): void; + + freezeForParents(): void; + + getAttachments(): AttachmentListUpdateValue; + + getBooleanProperty(arg0: string): boolean; + + getChildIds(): IdListUpdateValue<ISampleId>; + + getComponentIds(): IdListUpdateValue<ISampleId>; + + getContainerId(): FieldUpdateValue<ISampleId>; + + getControlledVocabularyProperty(arg0: string): string; + + getExperimentId(): FieldUpdateValue<IExperimentId>; + + getHyperlinkProperty(arg0: string): string; + + getIntegerArrayProperty(arg0: string): number[]; + + getIntegerProperty(arg0: string): number; + + getJsonProperty(arg0: string): string; + + getMetaData(): ListUpdateMapValues; + + getMultiValueBooleanProperty(arg0: string): boolean[]; + + getMultiValueControlledVocabularyProperty(arg0: string): string[]; + + getMultiValueHyperlinkProperty(arg0: string): string[]; + + getMultiValueIntegerArrayProperty(arg0: string): number[][]; + + getMultiValueIntegerProperty(arg0: string): number[]; + + getMultiValueJsonProperty(arg0: string): string[]; + + getMultiValueRealArrayProperty(arg0: string): number[][]; + + getMultiValueRealProperty(arg0: string): number[]; + + getMultiValueSampleProperty(arg0: string): SamplePermId[]; + + getMultiValueStringArrayProperty(arg0: string): string[][]; + + getMultiValueStringProperty(arg0: string): string[]; + + getMultiValueTimestampArrayProperty(arg0: string): number[][]; + + getMultiValueTimestampProperty(arg0: string): number[]; + + getMultiValueXmlProperty(arg0: string): string[]; + + getObjectId(): ISampleId; + + getParentIds(): IdListUpdateValue<ISampleId>; + + getProjectId(): FieldUpdateValue<IProjectId>; + + getProperties(): { [index: string]: Serializable }; + + getProperty(arg0: string): Serializable; + + getRealArrayProperty(arg0: string): number[]; + + getRealProperty(arg0: string): number; + + getRelationships(): { [index: string]: RelationshipUpdate }; + + getSampleId(): ISampleId; + + getSampleProperty(arg0: string): SamplePermId; + + getSpaceId(): FieldUpdateValue<ISpaceId>; + + getStringArrayProperty(arg0: string): string[]; + + getStringProperty(arg0: string): string; + + getTagIds(): IdListUpdateValue<ITagId>; + + getTimestampArrayProperty(arg0: string): number[]; + + getTimestampProperty(arg0: string): number; + + getXmlProperty(arg0: string): string; + + relationship(arg0: ISampleId): RelationshipUpdate; + + setAttachmentsActions(arg0: ListUpdateAction<any>[]): void; + + setBooleanProperty(arg0: string, arg1: boolean): void; + + setChildActions(arg0: ListUpdateAction<ISampleId>[]): void; + + setComponentActions(arg0: ListUpdateAction<ISampleId>[]): void; + + setContainerId(arg0: ISampleId): void; + + setControlledVocabularyProperty(arg0: string, arg1: string): void; + + setExperimentId(arg0: IExperimentId): void; + + setHyperlinkProperty(arg0: string, arg1: string): void; + + setIntegerArrayProperty(arg0: string, arg1: number[]): void; + + setIntegerProperty(arg0: string, arg1: number): void; + + setJsonProperty(arg0: string, arg1: string): void; + + setMetaDataActions(arg0: ListUpdateAction<any>[]): void; + + setMultiValueBooleanProperty(arg0: string, arg1: boolean[]): void; + + setMultiValueControlledVocabularyProperty(arg0: string, arg1: string[]): void; + + setMultiValueHyperlinkProperty(arg0: string, arg1: string[]): void; + + setMultiValueIntegerArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueIntegerProperty(arg0: string, arg1: number[]): void; + + setMultiValueJsonProperty(arg0: string, arg1: string[]): void; + + setMultiValueRealArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueRealProperty(arg0: string, arg1: number[]): void; + + setMultiValueSampleProperty(arg0: string, arg1: SamplePermId[]): void; + + setMultiValueStringArrayProperty(arg0: string, arg1: string[][]): void; + + setMultiValueStringProperty(arg0: string, arg1: string[]): void; + + setMultiValueTimestampArrayProperty(arg0: string, arg1: number[][]): void; + + setMultiValueTimestampProperty(arg0: string, arg1: number[]): void; + + setMultiValueXmlProperty(arg0: string, arg1: string[]): void; + + setParentActions(arg0: ListUpdateAction<ISampleId>[]): void; + + setProjectId(arg0: IProjectId): void; + + setProperties(arg0: { [index: string]: Serializable }): void; + + setProperty(arg0: string, arg1: Serializable): void; + + setRealArrayProperty(arg0: string, arg1: number[]): void; + + setRealProperty(arg0: string, arg1: number): void; + + setRelationships(arg0: { [index: string]: RelationshipUpdate }): void; + + setSampleId(arg0: ISampleId): void; + + setSampleProperty(arg0: string, arg1: SamplePermId): void; + + setSpaceId(arg0: ISpaceId): void; + + setStringArrayProperty(arg0: string, arg1: string[]): void; + + setStringProperty(arg0: string, arg1: string): void; + + setTagActions(arg0: ListUpdateAction<ITagId>[]): void; + + setTimestampArrayProperty(arg0: string, arg1: number[]): void; + + setTimestampProperty(arg0: string, arg1: number): void; + + setXmlProperty(arg0: string, arg1: string): void; + + shouldBeFrozen(): boolean; + + shouldBeFrozenForChildren(): boolean; + + shouldBeFrozenForComponents(): boolean; + + shouldBeFrozenForDataSets(): boolean; + + shouldBeFrozenForParents(): boolean; + } + + /** + */ + interface SampleUpdateConstructor { + + new (): SampleUpdate; + } + + interface SearchAggregationServicesOperation extends SearchObjectsOperation<AggregationServiceSearchCriteria, AggregationServiceFetchOptions> { + + getCriteria(): AggregationServiceSearchCriteria; + + getFetchOptions(): AggregationServiceFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchAggregationServicesOperationConstructor { + + new (arg0: AggregationServiceSearchCriteria, arg1: AggregationServiceFetchOptions): SearchAggregationServicesOperation; + } + + interface SearchAggregationServicesOperationResult extends SearchObjectsOperationResult<AggregationService> { + + getMessage(): string; + + getSearchResult(): SearchResult<AggregationService>; + } + + /** + */ + interface SearchAggregationServicesOperationResultConstructor { + + new (arg0: SearchResult<AggregationService>): SearchAggregationServicesOperationResult; + } + + interface SearchAuthorizationGroupsOperation extends SearchObjectsOperation<AuthorizationGroupSearchCriteria, AuthorizationGroupFetchOptions> { + + getCriteria(): AuthorizationGroupSearchCriteria; + + getFetchOptions(): AuthorizationGroupFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchAuthorizationGroupsOperationConstructor { + + new (arg0: AuthorizationGroupSearchCriteria, arg1: AuthorizationGroupFetchOptions): SearchAuthorizationGroupsOperation; + } + + interface SearchAuthorizationGroupsOperationResult extends SearchObjectsOperationResult<AuthorizationGroup> { + + getMessage(): string; + + getSearchResult(): SearchResult<AuthorizationGroup>; + } + + /** + */ + interface SearchAuthorizationGroupsOperationResultConstructor { + + new (arg0: SearchResult<AuthorizationGroup>): SearchAuthorizationGroupsOperationResult; + } + + interface SearchCustomASServicesOperation extends SearchObjectsOperation<CustomASServiceSearchCriteria, CustomASServiceFetchOptions> { + + getCriteria(): CustomASServiceSearchCriteria; + + getFetchOptions(): CustomASServiceFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchCustomASServicesOperationConstructor { + + new (arg0: CustomASServiceSearchCriteria, arg1: CustomASServiceFetchOptions): SearchCustomASServicesOperation; + } + + interface SearchCustomASServicesOperationResult extends SearchObjectsOperationResult<CustomASService> { + + getMessage(): string; + + getSearchResult(): SearchResult<CustomASService>; + } + + /** + */ + interface SearchCustomASServicesOperationResultConstructor { + + new (arg0: SearchResult<CustomASService>): SearchCustomASServicesOperationResult; + } + + interface SearchDataSetTypesOperation extends SearchObjectsOperation<DataSetTypeSearchCriteria, DataSetTypeFetchOptions> { + + getCriteria(): DataSetTypeSearchCriteria; + + getFetchOptions(): DataSetTypeFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchDataSetTypesOperationConstructor { + + new (arg0: DataSetTypeSearchCriteria, arg1: DataSetTypeFetchOptions): SearchDataSetTypesOperation; + } + + interface SearchDataSetTypesOperationResult extends SearchObjectsOperationResult<DataSetType> { + + getMessage(): string; + + getSearchResult(): SearchResult<DataSetType>; + } + + /** + */ + interface SearchDataSetTypesOperationResultConstructor { + + new (arg0: SearchResult<DataSetType>): SearchDataSetTypesOperationResult; + } + + interface SearchDataSetsOperation extends SearchObjectsOperation<DataSetSearchCriteria, DataSetFetchOptions> { + + getCriteria(): DataSetSearchCriteria; + + getFetchOptions(): DataSetFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchDataSetsOperationConstructor { + + new (arg0: DataSetSearchCriteria, arg1: DataSetFetchOptions): SearchDataSetsOperation; + } + + interface SearchDataSetsOperationResult extends SearchObjectsOperationResult<DataSet> { + + getMessage(): string; + + getSearchResult(): SearchResult<DataSet>; + } + + /** + */ + interface SearchDataSetsOperationResultConstructor { + + new (arg0: SearchResult<DataSet>): SearchDataSetsOperationResult; + } + + interface SearchDataStoresOperation extends SearchObjectsOperation<DataStoreSearchCriteria, DataStoreFetchOptions> { + + getCriteria(): DataStoreSearchCriteria; + + getFetchOptions(): DataStoreFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchDataStoresOperationConstructor { + + new (arg0: DataStoreSearchCriteria, arg1: DataStoreFetchOptions): SearchDataStoresOperation; + } + + interface SearchDataStoresOperationResult extends SearchObjectsOperationResult<DataStore> { + + getMessage(): string; + + getSearchResult(): SearchResult<DataStore>; + } + + /** + */ + interface SearchDataStoresOperationResultConstructor { + + new (arg0: SearchResult<DataStore>): SearchDataStoresOperationResult; + } + + interface SearchDeletionsOperation extends SearchObjectsOperation<DeletionSearchCriteria, DeletionFetchOptions> { + + getCriteria(): DeletionSearchCriteria; + + getFetchOptions(): DeletionFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchDeletionsOperationConstructor { + + new (arg0: DeletionSearchCriteria, arg1: DeletionFetchOptions): SearchDeletionsOperation; + } + + interface SearchDeletionsOperationResult extends SearchObjectsOperationResult<Deletion> { + + getMessage(): string; + + getSearchResult(): SearchResult<Deletion>; + } + + /** + */ + interface SearchDeletionsOperationResultConstructor { + + new (arg0: SearchResult<Deletion>): SearchDeletionsOperationResult; + } + + interface SearchDomainService extends Serializable, INameHolder, ILabelHolder, IPermIdHolder { + + getFetchOptions(): SearchDomainServiceFetchOptions; + + getLabel(): string; + + getName(): string; + + getPermId(): DssServicePermId; + + getPossibleSearchOptions(): SearchDomainServiceSearchOption[]; + + getPossibleSearchOptionsKey(): string; + + setFetchOptions(arg0: SearchDomainServiceFetchOptions): void; + + setLabel(arg0: string): void; + + setName(arg0: string): void; + + setPermId(arg0: DssServicePermId): void; + + setPossibleSearchOptions(arg0: SearchDomainServiceSearchOption[]): void; + + setPossibleSearchOptionsKey(arg0: string): void; + } + + /** + */ + interface SearchDomainServiceConstructor { + + new (): SearchDomainService; + } + + interface SearchDomainServiceExecutionOptions extends as_dto_service_execute_AbstractExecutionOptionsWithParameters<SearchDomainServiceExecutionOptions, string> { + + getParameters(): { [index: string]: string }; + + getPreferredSearchDomain(): string; + + getSearchString(): string; + + withParameter(arg0: string, arg1: string): SearchDomainServiceExecutionOptions; + + withPreferredSearchDomain(arg0: string): SearchDomainServiceExecutionOptions; + + withSearchString(arg0: string): SearchDomainServiceExecutionOptions; + } + + /** + */ + interface SearchDomainServiceExecutionOptionsConstructor { + + new (): SearchDomainServiceExecutionOptions; + } + + interface SearchDomainServiceExecutionResult extends Serializable { + + getEntityIdentifier(): string; + + getEntityKind(): EntityKind; + + getEntityPermId(): string; + + getEntityType(): string; + + getResultDetails(): { [index: string]: string }; + + getSearchDomainLabel(): string; + + getSearchDomainName(): string; + + getServicePermId(): DssServicePermId; + + setEntityIdentifier(arg0: string): void; + + setEntityKind(arg0: EntityKind): void; + + setEntityPermId(arg0: string): void; + + setEntityType(arg0: string): void; + + setResultDetails(arg0: { [index: string]: string }): void; + + setSearchDomainLabel(arg0: string): void; + + setSearchDomainName(arg0: string): void; + + setServicePermId(arg0: DssServicePermId): void; + } + + /** + */ + interface SearchDomainServiceExecutionResultConstructor { + + new (): SearchDomainServiceExecutionResult; + } + + interface SearchDomainServiceFetchOptions extends FetchOptions<SearchDomainService>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<SearchDomainService>; + + count(arg0: number): FetchOptions<SearchDomainService>; + + from(arg0: number): FetchOptions<SearchDomainService>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): SortOptions<SearchDomainService>; + + sortBy(): SortOptions<SearchDomainService>; + } + + /** + */ + interface SearchDomainServiceFetchOptionsConstructor { + + new (): SearchDomainServiceFetchOptions; + } + + interface SearchDomainServiceSearchCriteria extends AbstractObjectSearchCriteria<IDssServiceId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): SearchDomainServiceSearchCriteria; + + withId(): IdSearchCriteria<IDssServiceId>; + + withName(): NameSearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): SearchDomainServiceSearchCriteria; + } + + /** + */ + interface SearchDomainServiceSearchCriteriaConstructor { + + new (): SearchDomainServiceSearchCriteria; + } + + interface SearchDomainServiceSearchOption extends Serializable { + + getCode(): string; + + getDescription(): string; + + getLabel(): string; + + setCode(arg0: string): void; + + setDescription(arg0: string): void; + + setLabel(arg0: string): void; + } + + /** + */ + interface SearchDomainServiceSearchOptionConstructor { + + new (): SearchDomainServiceSearchOption; + } + + interface SearchDomainServiceSortOptions extends SortOptions<SearchDomainService> { + + getSortings(): Sorting[]; + } + + /** + */ + interface SearchDomainServiceSortOptionsConstructor { + + new (): SearchDomainServiceSortOptions; + } + + interface SearchEventsOperation extends SearchObjectsOperation<EventSearchCriteria, EventFetchOptions> { + + getCriteria(): EventSearchCriteria; + + getFetchOptions(): EventFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchEventsOperationConstructor { + + new (arg0: EventSearchCriteria, arg1: EventFetchOptions): SearchEventsOperation; + } + + interface SearchEventsOperationResult extends SearchObjectsOperationResult<Event> { + + getMessage(): string; + + getSearchResult(): SearchResult<Event>; + } + + /** + */ + interface SearchEventsOperationResultConstructor { + + new (arg0: SearchResult<Event>): SearchEventsOperationResult; + } + + interface SearchExperimentTypesOperation extends SearchObjectsOperation<ExperimentTypeSearchCriteria, ExperimentTypeFetchOptions> { + + getCriteria(): ExperimentTypeSearchCriteria; + + getFetchOptions(): ExperimentTypeFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchExperimentTypesOperationConstructor { + + new (arg0: ExperimentTypeSearchCriteria, arg1: ExperimentTypeFetchOptions): SearchExperimentTypesOperation; + } + + interface SearchExperimentTypesOperationResult extends SearchObjectsOperationResult<ExperimentType> { + + getMessage(): string; + + getSearchResult(): SearchResult<ExperimentType>; + } + + /** + */ + interface SearchExperimentTypesOperationResultConstructor { + + new (arg0: SearchResult<ExperimentType>): SearchExperimentTypesOperationResult; + } + + interface SearchExperimentsOperation extends SearchObjectsOperation<ExperimentSearchCriteria, ExperimentFetchOptions> { + + getCriteria(): ExperimentSearchCriteria; + + getFetchOptions(): ExperimentFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchExperimentsOperationConstructor { + + new (arg0: ExperimentSearchCriteria, arg1: ExperimentFetchOptions): SearchExperimentsOperation; + } + + interface SearchExperimentsOperationResult extends SearchObjectsOperationResult<Experiment> { + + getMessage(): string; + + getSearchResult(): SearchResult<Experiment>; + } + + /** + */ + interface SearchExperimentsOperationResultConstructor { + + new (arg0: SearchResult<Experiment>): SearchExperimentsOperationResult; + } + + interface SearchExternalDmsOperation extends SearchObjectsOperation<as_dto_externaldms_search_ExternalDmsSearchCriteria, ExternalDmsFetchOptions> { + + getCriteria(): as_dto_externaldms_search_ExternalDmsSearchCriteria; + + getFetchOptions(): ExternalDmsFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchExternalDmsOperationConstructor { + + new (arg0: as_dto_externaldms_search_ExternalDmsSearchCriteria, arg1: ExternalDmsFetchOptions): SearchExternalDmsOperation; + } + + interface SearchExternalDmsOperationResult extends SearchObjectsOperationResult<ExternalDms> { + + getMessage(): string; + + getSearchResult(): SearchResult<ExternalDms>; + } + + /** + */ + interface SearchExternalDmsOperationResultConstructor { + + new (arg0: SearchResult<ExternalDms>): SearchExternalDmsOperationResult; + } + + /** + */ + interface SearchFieldTypeObject { + /** + */ + ANY_FIELD: SearchFieldType<> = "ANY_FIELD"; + /** + */ + ANY_PROPERTY: SearchFieldType<> = "ANY_PROPERTY"; + /** + */ + ATTRIBUTE: SearchFieldType<> = "ATTRIBUTE"; + /** + */ + PROPERTY: SearchFieldType<> = "PROPERTY"; + } + + interface SearchGloballyOperation extends SearchObjectsOperation<GlobalSearchCriteria, GlobalSearchObjectFetchOptions> { + + getCriteria(): GlobalSearchCriteria; + + getFetchOptions(): GlobalSearchObjectFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchGloballyOperationConstructor { + + new (arg0: GlobalSearchCriteria, arg1: GlobalSearchObjectFetchOptions): SearchGloballyOperation; + } + + interface SearchGloballyOperationResult extends SearchObjectsOperationResult<GlobalSearchObject> { + + getMessage(): string; + + getSearchResult(): SearchResult<GlobalSearchObject>; + } + + /** + */ + interface SearchGloballyOperationResultConstructor { + + new (arg0: SearchResult<GlobalSearchObject>): SearchGloballyOperationResult; + } + + interface SearchMaterialTypesOperation extends SearchObjectsOperation<MaterialTypeSearchCriteria, MaterialTypeFetchOptions> { + + getCriteria(): MaterialTypeSearchCriteria; + + getFetchOptions(): MaterialTypeFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchMaterialTypesOperationConstructor { + + new (arg0: MaterialTypeSearchCriteria, arg1: MaterialTypeFetchOptions): SearchMaterialTypesOperation; + } + + interface SearchMaterialTypesOperationResult extends SearchObjectsOperationResult<MaterialType> { + + getMessage(): string; + + getSearchResult(): SearchResult<MaterialType>; + } + + /** + */ + interface SearchMaterialTypesOperationResultConstructor { + + new (arg0: SearchResult<MaterialType>): SearchMaterialTypesOperationResult; + } + + interface SearchMaterialsOperation extends SearchObjectsOperation<MaterialSearchCriteria, MaterialFetchOptions> { + + getCriteria(): MaterialSearchCriteria; + + getFetchOptions(): MaterialFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchMaterialsOperationConstructor { + + new (arg0: MaterialSearchCriteria, arg1: MaterialFetchOptions): SearchMaterialsOperation; + } + + interface SearchMaterialsOperationResult extends SearchObjectsOperationResult<Material> { + + getMessage(): string; + + getSearchResult(): SearchResult<Material>; + } + + /** + */ + interface SearchMaterialsOperationResultConstructor { + + new (arg0: SearchResult<Material>): SearchMaterialsOperationResult; + } + + interface SearchObjectKindModificationsOperation extends SearchObjectsOperation<ObjectKindModificationSearchCriteria, ObjectKindModificationFetchOptions> { + + getCriteria(): ObjectKindModificationSearchCriteria; + + getFetchOptions(): ObjectKindModificationFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchObjectKindModificationsOperationConstructor { + + new (arg0: ObjectKindModificationSearchCriteria, arg1: ObjectKindModificationFetchOptions): SearchObjectKindModificationsOperation; + } + + interface SearchObjectKindModificationsOperationResult extends SearchObjectsOperationResult<ObjectKindModification> { + + getMessage(): string; + + getSearchResult(): SearchResult<ObjectKindModification>; + } + + /** + */ + interface SearchObjectKindModificationsOperationResultConstructor { + + new (arg0: SearchResult<ObjectKindModification>): SearchObjectKindModificationsOperationResult; + } + + interface SearchObjectsOperation<CRITERIA extends ISearchCriteria, FETCH_OPTIONS extends FetchOptions<any>> extends IOperation { + + getCriteria(): CRITERIA; + + getFetchOptions(): FETCH_OPTIONS; + + getMessage(): string; + } + + /** + */ + interface SearchObjectsOperationConstructor { + + new <CRITERIA extends ISearchCriteria, FETCH_OPTIONS extends FetchOptions<any>>(arg0: CRITERIA, arg1: FETCH_OPTIONS): SearchObjectsOperation<CRITERIA, FETCH_OPTIONS>; + } + + interface SearchObjectsOperationResult<OBJECT extends any> extends as_dto_common_operation_IOperationResult { + + getMessage(): string; + + getSearchResult(): SearchResult<OBJECT>; + } + + /** + */ + interface SearchObjectsOperationResultConstructor { + + new <OBJECT extends any>(arg0: SearchResult<OBJECT>): SearchObjectsOperationResult<OBJECT>; + } + + interface SearchOperationExecutionsOperation extends SearchObjectsOperation<OperationExecutionSearchCriteria, OperationExecutionFetchOptions> { + + getCriteria(): OperationExecutionSearchCriteria; + + getFetchOptions(): OperationExecutionFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchOperationExecutionsOperationConstructor { + + new (arg0: OperationExecutionSearchCriteria, arg1: OperationExecutionFetchOptions): SearchOperationExecutionsOperation; + } + + interface SearchOperationExecutionsOperationResult extends SearchObjectsOperationResult<OperationExecution> { + + getMessage(): string; + + getSearchResult(): SearchResult<OperationExecution>; + } + + /** + */ + interface SearchOperationExecutionsOperationResultConstructor { + + new (arg0: SearchResult<OperationExecution>): SearchOperationExecutionsOperationResult; + } + + /** + */ + interface SearchOperatorObject { + /** + */ + AND: SearchOperator<> = "AND"; + /** + */ + OR: SearchOperator<> = "OR"; + } + + interface SearchPersonalAccessTokensOperation extends SearchObjectsOperation<PersonalAccessTokenSearchCriteria, PersonalAccessTokenFetchOptions> { + + getCriteria(): PersonalAccessTokenSearchCriteria; + + getFetchOptions(): PersonalAccessTokenFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchPersonalAccessTokensOperationConstructor { + + new (arg0: PersonalAccessTokenSearchCriteria, arg1: PersonalAccessTokenFetchOptions): SearchPersonalAccessTokensOperation; + } + + interface SearchPersonalAccessTokensOperationResult extends SearchObjectsOperationResult<PersonalAccessToken> { + + getMessage(): string; + + getSearchResult(): SearchResult<PersonalAccessToken>; + } + + /** + */ + interface SearchPersonalAccessTokensOperationResultConstructor { + + new (arg0: SearchResult<PersonalAccessToken>): SearchPersonalAccessTokensOperationResult; + } + + interface SearchPersonsOperation extends SearchObjectsOperation<PersonSearchCriteria, PersonFetchOptions> { + + getCriteria(): PersonSearchCriteria; + + getFetchOptions(): PersonFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchPersonsOperationConstructor { + + new (arg0: PersonSearchCriteria, arg1: PersonFetchOptions): SearchPersonsOperation; + } + + interface SearchPersonsOperationResult extends SearchObjectsOperationResult<Person> { + + getMessage(): string; + + getSearchResult(): SearchResult<Person>; + } + + /** + */ + interface SearchPersonsOperationResultConstructor { + + new (arg0: SearchResult<Person>): SearchPersonsOperationResult; + } + + interface SearchPluginsOperation extends SearchObjectsOperation<PluginSearchCriteria, PluginFetchOptions> { + + getCriteria(): PluginSearchCriteria; + + getFetchOptions(): PluginFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchPluginsOperationConstructor { + + new (arg0: PluginSearchCriteria, arg1: PluginFetchOptions): SearchPluginsOperation; + } + + interface SearchPluginsOperationResult extends SearchObjectsOperationResult<Plugin> { + + getMessage(): string; + + getSearchResult(): SearchResult<Plugin>; + } + + /** + */ + interface SearchPluginsOperationResultConstructor { + + new (arg0: SearchResult<Plugin>): SearchPluginsOperationResult; + } + + interface SearchProcessingServicesOperation extends SearchObjectsOperation<ProcessingServiceSearchCriteria, ProcessingServiceFetchOptions> { + + getCriteria(): ProcessingServiceSearchCriteria; + + getFetchOptions(): ProcessingServiceFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchProcessingServicesOperationConstructor { + + new (arg0: ProcessingServiceSearchCriteria, arg1: ProcessingServiceFetchOptions): SearchProcessingServicesOperation; + } + + interface SearchProcessingServicesOperationResult extends SearchObjectsOperationResult<ProcessingService> { + + getMessage(): string; + + getSearchResult(): SearchResult<ProcessingService>; + } + + /** + */ + interface SearchProcessingServicesOperationResultConstructor { + + new (arg0: SearchResult<ProcessingService>): SearchProcessingServicesOperationResult; + } + + interface SearchProjectsOperation extends SearchObjectsOperation<ProjectSearchCriteria, ProjectFetchOptions> { + + getCriteria(): ProjectSearchCriteria; + + getFetchOptions(): ProjectFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchProjectsOperationConstructor { + + new (arg0: ProjectSearchCriteria, arg1: ProjectFetchOptions): SearchProjectsOperation; + } + + interface SearchProjectsOperationResult extends SearchObjectsOperationResult<Project> { + + getMessage(): string; + + getSearchResult(): SearchResult<Project>; + } + + /** + */ + interface SearchProjectsOperationResultConstructor { + + new (arg0: SearchResult<Project>): SearchProjectsOperationResult; + } + + interface SearchPropertyAssignmentsOperation extends SearchObjectsOperation<PropertyAssignmentSearchCriteria, PropertyAssignmentFetchOptions> { + + getCriteria(): PropertyAssignmentSearchCriteria; + + getFetchOptions(): PropertyAssignmentFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchPropertyAssignmentsOperationConstructor { + + new (arg0: PropertyAssignmentSearchCriteria, arg1: PropertyAssignmentFetchOptions): SearchPropertyAssignmentsOperation; + } + + interface SearchPropertyAssignmentsOperationResult extends SearchObjectsOperationResult<PropertyAssignment> { + + getMessage(): string; + + getSearchResult(): SearchResult<PropertyAssignment>; + } + + /** + */ + interface SearchPropertyAssignmentsOperationResultConstructor { + + new (arg0: SearchResult<PropertyAssignment>): SearchPropertyAssignmentsOperationResult; + } + + interface SearchPropertyTypesOperation extends SearchObjectsOperation<PropertyTypeSearchCriteria, PropertyTypeFetchOptions> { + + getCriteria(): PropertyTypeSearchCriteria; + + getFetchOptions(): PropertyTypeFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchPropertyTypesOperationConstructor { + + new (arg0: PropertyTypeSearchCriteria, arg1: PropertyTypeFetchOptions): SearchPropertyTypesOperation; + } + + interface SearchPropertyTypesOperationResult extends SearchObjectsOperationResult<PropertyType> { + + getMessage(): string; + + getSearchResult(): SearchResult<PropertyType>; + } + + /** + */ + interface SearchPropertyTypesOperationResultConstructor { + + new (arg0: SearchResult<PropertyType>): SearchPropertyTypesOperationResult; + } + + interface SearchQueriesOperation extends SearchObjectsOperation<QuerySearchCriteria, QueryFetchOptions> { + + getCriteria(): QuerySearchCriteria; + + getFetchOptions(): QueryFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchQueriesOperationConstructor { + + new (arg0: QuerySearchCriteria, arg1: QueryFetchOptions): SearchQueriesOperation; + } + + interface SearchQueriesOperationResult extends SearchObjectsOperationResult<Query> { + + getMessage(): string; + + getSearchResult(): SearchResult<Query>; + } + + /** + */ + interface SearchQueriesOperationResultConstructor { + + new (arg0: SearchResult<Query>): SearchQueriesOperationResult; + } + + interface SearchQueryDatabasesOperation extends SearchObjectsOperation<QueryDatabaseSearchCriteria, QueryDatabaseFetchOptions> { + + getCriteria(): QueryDatabaseSearchCriteria; + + getFetchOptions(): QueryDatabaseFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchQueryDatabasesOperationConstructor { + + new (arg0: QueryDatabaseSearchCriteria, arg1: QueryDatabaseFetchOptions): SearchQueryDatabasesOperation; + } + + interface SearchQueryDatabasesOperationResult extends SearchObjectsOperationResult<QueryDatabase> { + + getMessage(): string; + + getSearchResult(): SearchResult<QueryDatabase>; + } + + /** + */ + interface SearchQueryDatabasesOperationResultConstructor { + + new (arg0: SearchResult<QueryDatabase>): SearchQueryDatabasesOperationResult; + } + + interface SearchReportingServicesOperation extends SearchObjectsOperation<ReportingServiceSearchCriteria, ReportingServiceFetchOptions> { + + getCriteria(): ReportingServiceSearchCriteria; + + getFetchOptions(): ReportingServiceFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchReportingServicesOperationConstructor { + + new (arg0: ReportingServiceSearchCriteria, arg1: ReportingServiceFetchOptions): SearchReportingServicesOperation; + } + + interface SearchReportingServicesOperationResult extends SearchObjectsOperationResult<ReportingService> { + + getMessage(): string; + + getSearchResult(): SearchResult<ReportingService>; + } + + /** + */ + interface SearchReportingServicesOperationResultConstructor { + + new (arg0: SearchResult<ReportingService>): SearchReportingServicesOperationResult; + } + + interface SearchResult<OBJECT extends any> extends Serializable { + + getObjects(): OBJECT[]; + + getTotalCount(): number; + } + + /** + */ + interface SearchResultConstructor { + + new <OBJECT extends any>(arg0: OBJECT[], arg1: number): SearchResult<OBJECT>; + } + + interface SearchRoleAssignmentsOperation extends SearchObjectsOperation<RoleAssignmentSearchCriteria, RoleAssignmentFetchOptions> { + + getCriteria(): RoleAssignmentSearchCriteria; + + getFetchOptions(): RoleAssignmentFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchRoleAssignmentsOperationConstructor { + + new (arg0: RoleAssignmentSearchCriteria, arg1: RoleAssignmentFetchOptions): SearchRoleAssignmentsOperation; + } + + interface SearchRoleAssignmentsOperationResult extends SearchObjectsOperationResult<RoleAssignment> { + + getMessage(): string; + + getSearchResult(): SearchResult<RoleAssignment>; + } + + /** + */ + interface SearchRoleAssignmentsOperationResultConstructor { + + new (arg0: SearchResult<RoleAssignment>): SearchRoleAssignmentsOperationResult; + } + + interface SearchSampleTypesOperation extends SearchObjectsOperation<SampleTypeSearchCriteria, SampleTypeFetchOptions> { + + getCriteria(): SampleTypeSearchCriteria; + + getFetchOptions(): SampleTypeFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchSampleTypesOperationConstructor { + + new (arg0: SampleTypeSearchCriteria, arg1: SampleTypeFetchOptions): SearchSampleTypesOperation; + } + + interface SearchSampleTypesOperationResult extends SearchObjectsOperationResult<SampleType> { + + getMessage(): string; + + getSearchResult(): SearchResult<SampleType>; + } + + /** + */ + interface SearchSampleTypesOperationResultConstructor { + + new (arg0: SearchResult<SampleType>): SearchSampleTypesOperationResult; + } + + interface SearchSamplesOperation extends SearchObjectsOperation<SampleSearchCriteria, SampleFetchOptions> { + + getCriteria(): SampleSearchCriteria; + + getFetchOptions(): SampleFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchSamplesOperationConstructor { + + new (arg0: SampleSearchCriteria, arg1: SampleFetchOptions): SearchSamplesOperation; + } + + interface SearchSamplesOperationResult extends SearchObjectsOperationResult<Sample> { + + getMessage(): string; + + getSearchResult(): SearchResult<Sample>; + } + + /** + */ + interface SearchSamplesOperationResultConstructor { + + new (arg0: SearchResult<Sample>): SearchSamplesOperationResult; + } + + interface SearchSearchDomainServicesOperation extends SearchObjectsOperation<SearchDomainServiceSearchCriteria, SearchDomainServiceFetchOptions> { + + getCriteria(): SearchDomainServiceSearchCriteria; + + getFetchOptions(): SearchDomainServiceFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchSearchDomainServicesOperationConstructor { + + new (arg0: SearchDomainServiceSearchCriteria, arg1: SearchDomainServiceFetchOptions): SearchSearchDomainServicesOperation; + } + + interface SearchSearchDomainServicesOperationResult extends SearchObjectsOperationResult<SearchDomainService> { + + getMessage(): string; + + getSearchResult(): SearchResult<SearchDomainService>; + } + + /** + */ + interface SearchSearchDomainServicesOperationResultConstructor { + + new (arg0: SearchResult<SearchDomainService>): SearchSearchDomainServicesOperationResult; + } + + interface SearchSemanticAnnotationsOperation extends SearchObjectsOperation<SemanticAnnotationSearchCriteria, SemanticAnnotationFetchOptions> { + + getCriteria(): SemanticAnnotationSearchCriteria; + + getFetchOptions(): SemanticAnnotationFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchSemanticAnnotationsOperationConstructor { + + new (arg0: SemanticAnnotationSearchCriteria, arg1: SemanticAnnotationFetchOptions): SearchSemanticAnnotationsOperation; + } + + interface SearchSemanticAnnotationsOperationResult extends SearchObjectsOperationResult<SemanticAnnotation> { + + getMessage(): string; + + getSearchResult(): SearchResult<SemanticAnnotation>; + } + + /** + */ + interface SearchSemanticAnnotationsOperationResultConstructor { + + new (arg0: SearchResult<SemanticAnnotation>): SearchSemanticAnnotationsOperationResult; + } + + interface SearchSessionInformationOperation extends SearchObjectsOperation<SessionInformationSearchCriteria, SessionInformationFetchOptions> { + + getCriteria(): SessionInformationSearchCriteria; + + getFetchOptions(): SessionInformationFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchSessionInformationOperationConstructor { + + new (arg0: SessionInformationSearchCriteria, arg1: SessionInformationFetchOptions): SearchSessionInformationOperation; + } + + interface SearchSessionInformationOperationResult extends SearchObjectsOperationResult<SessionInformation> { + + getMessage(): string; + + getSearchResult(): SearchResult<SessionInformation>; + } + + /** + */ + interface SearchSessionInformationOperationResultConstructor { + + new (arg0: SearchResult<SessionInformation>): SearchSessionInformationOperationResult; + } + + interface SearchSpacesOperation extends SearchObjectsOperation<SpaceSearchCriteria, SpaceFetchOptions> { + + getCriteria(): SpaceSearchCriteria; + + getFetchOptions(): SpaceFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchSpacesOperationConstructor { + + new (arg0: SpaceSearchCriteria, arg1: SpaceFetchOptions): SearchSpacesOperation; + } + + interface SearchSpacesOperationResult extends SearchObjectsOperationResult<Space> { + + getMessage(): string; + + getSearchResult(): SearchResult<Space>; + } + + /** + */ + interface SearchSpacesOperationResultConstructor { + + new (arg0: SearchResult<Space>): SearchSpacesOperationResult; + } + + interface SearchTagsOperation extends SearchObjectsOperation<TagSearchCriteria, TagFetchOptions> { + + getCriteria(): TagSearchCriteria; + + getFetchOptions(): TagFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchTagsOperationConstructor { + + new (arg0: TagSearchCriteria, arg1: TagFetchOptions): SearchTagsOperation; + } + + interface SearchTagsOperationResult extends SearchObjectsOperationResult<Tag> { + + getMessage(): string; + + getSearchResult(): SearchResult<Tag>; + } + + /** + */ + interface SearchTagsOperationResultConstructor { + + new (arg0: SearchResult<Tag>): SearchTagsOperationResult; + } + + interface SearchVocabulariesOperation extends SearchObjectsOperation<VocabularySearchCriteria, VocabularyFetchOptions> { + + getCriteria(): VocabularySearchCriteria; + + getFetchOptions(): VocabularyFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchVocabulariesOperationConstructor { + + new (arg0: VocabularySearchCriteria, arg1: VocabularyFetchOptions): SearchVocabulariesOperation; + } + + interface SearchVocabulariesOperationResult extends SearchObjectsOperationResult<Vocabulary> { + + getMessage(): string; + + getSearchResult(): SearchResult<Vocabulary>; + } + + /** + */ + interface SearchVocabulariesOperationResultConstructor { + + new (arg0: SearchResult<Vocabulary>): SearchVocabulariesOperationResult; + } + + interface SearchVocabularyTermsOperation extends SearchObjectsOperation<VocabularyTermSearchCriteria, VocabularyTermFetchOptions> { + + getCriteria(): VocabularyTermSearchCriteria; + + getFetchOptions(): VocabularyTermFetchOptions; + + getMessage(): string; + } + + /** + */ + interface SearchVocabularyTermsOperationConstructor { + + new (arg0: VocabularyTermSearchCriteria, arg1: VocabularyTermFetchOptions): SearchVocabularyTermsOperation; + } + + interface SearchVocabularyTermsOperationResult extends SearchObjectsOperationResult<VocabularyTerm> { + + getMessage(): string; + + getSearchResult(): SearchResult<VocabularyTerm>; + } + + /** + */ + interface SearchVocabularyTermsOperationResultConstructor { + + new (arg0: SearchResult<VocabularyTerm>): SearchVocabularyTermsOperationResult; + } + + interface SelectedFields extends Serializable, IExportableFields { + + getAttributes(): Attribute[]; + + getProperties(): PropertyTypePermId[]; + + setAttributes(arg0: Attribute[]): void; + + setProperties(arg0: PropertyTypePermId[]): void; + } + + /** + */ + interface SelectedFieldsConstructor { + + new (): SelectedFields; + + new (arg0: Attribute[], arg1: PropertyTypePermId[]): SelectedFields; + } + + interface SemanticAnnotation extends Serializable, IPermIdHolder { + + getCreationDate(): number; + + getDescriptorAccessionId(): string; + + getDescriptorOntologyId(): string; + + getDescriptorOntologyVersion(): string; + + getEntityType(): IEntityType; + + getFetchOptions(): SemanticAnnotationFetchOptions; + + getPermId(): SemanticAnnotationPermId; + + getPredicateAccessionId(): string; + + getPredicateOntologyId(): string; + + getPredicateOntologyVersion(): string; + + getPropertyAssignment(): PropertyAssignment; + + getPropertyType(): PropertyType; + + setCreationDate(arg0: number): void; + + setDescriptorAccessionId(arg0: string): void; + + setDescriptorOntologyId(arg0: string): void; + + setDescriptorOntologyVersion(arg0: string): void; + + setEntityType(arg0: IEntityType): void; + + setFetchOptions(arg0: SemanticAnnotationFetchOptions): void; + + setPermId(arg0: SemanticAnnotationPermId): void; + + setPredicateAccessionId(arg0: string): void; + + setPredicateOntologyId(arg0: string): void; + + setPredicateOntologyVersion(arg0: string): void; + + setPropertyAssignment(arg0: PropertyAssignment): void; + + setPropertyType(arg0: PropertyType): void; + } + + /** + */ + interface SemanticAnnotationConstructor { + + new (): SemanticAnnotation; + } + + interface SemanticAnnotationCreation extends ICreation, IObjectCreation { + + getDescriptorAccessionId(): string; + + getDescriptorOntologyId(): string; + + getDescriptorOntologyVersion(): string; + + getEntityTypeId(): IEntityTypeId; + + getPredicateAccessionId(): string; + + getPredicateOntologyId(): string; + + getPredicateOntologyVersion(): string; + + getPropertyAssignmentId(): IPropertyAssignmentId; + + getPropertyTypeId(): IPropertyTypeId; + + setDescriptorAccessionId(arg0: string): void; + + setDescriptorOntologyId(arg0: string): void; + + setDescriptorOntologyVersion(arg0: string): void; + + setEntityTypeId(arg0: IEntityTypeId): void; + + setPredicateAccessionId(arg0: string): void; + + setPredicateOntologyId(arg0: string): void; + + setPredicateOntologyVersion(arg0: string): void; + + setPropertyAssignmentId(arg0: IPropertyAssignmentId): void; + + setPropertyTypeId(arg0: IPropertyTypeId): void; + } + + /** + */ + interface SemanticAnnotationCreationConstructor { + + new (): SemanticAnnotationCreation; + } + + interface SemanticAnnotationDeletionOptions extends AbstractObjectDeletionOptions<SemanticAnnotationDeletionOptions> { + + getReason(): string; + + setReason(arg0: string): SemanticAnnotationDeletionOptions; + } + + /** + */ + interface SemanticAnnotationDeletionOptionsConstructor { + + new (): SemanticAnnotationDeletionOptions; + } + + interface SemanticAnnotationFetchOptions extends FetchOptions<SemanticAnnotation>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<SemanticAnnotation>; + + count(arg0: number): FetchOptions<SemanticAnnotation>; + + from(arg0: number): FetchOptions<SemanticAnnotation>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): SemanticAnnotationSortOptions; + + hasEntityType(): boolean; + + hasPropertyAssignment(): boolean; + + hasPropertyType(): boolean; + + sortBy(): SemanticAnnotationSortOptions; + + withEntityType(): EntityTypeFetchOptions; + + withEntityTypeUsing(arg0: EntityTypeFetchOptions): EntityTypeFetchOptions; + + withPropertyAssignment(): PropertyAssignmentFetchOptions; + + withPropertyAssignmentUsing(arg0: PropertyAssignmentFetchOptions): PropertyAssignmentFetchOptions; + + withPropertyType(): PropertyTypeFetchOptions; + + withPropertyTypeUsing(arg0: PropertyTypeFetchOptions): PropertyTypeFetchOptions; + } + + /** + */ + interface SemanticAnnotationFetchOptionsConstructor { + + new (): SemanticAnnotationFetchOptions; + } + + interface SemanticAnnotationPermId extends ObjectPermId, ISemanticAnnotationId { + + getPermId(): string; + } + + /** + */ + interface SemanticAnnotationPermIdConstructor { + + new (arg0: string): SemanticAnnotationPermId; + } + + interface SemanticAnnotationSearchCriteria extends AbstractObjectSearchCriteria<ISemanticAnnotationId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): SemanticAnnotationSearchCriteria; + + withDescriptorAccessionId(): DescriptorAccessionIdSearchCriteria; + + withDescriptorOntologyId(): DescriptorOntologyIdSearchCriteria; + + withDescriptorOntologyVersion(): DescriptorOntologyVersionSearchCriteria; + + withEntityType(): EntityTypeSearchCriteria; + + withId(): IdSearchCriteria<ISemanticAnnotationId>; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): SemanticAnnotationSearchCriteria; + + withPermId(): PermIdSearchCriteria; + + withPredicateAccessionId(): PredicateAccessionIdSearchCriteria; + + withPredicateOntologyId(): PredicateOntologyIdSearchCriteria; + + withPredicateOntologyVersion(): PredicateOntologyVersionSearchCriteria; + + withPropertyAssignment(): PropertyAssignmentSearchCriteria; + + withPropertyType(): PropertyTypeSearchCriteria; + } + + /** + */ + interface SemanticAnnotationSearchCriteriaConstructor { + + new (): SemanticAnnotationSearchCriteria; + } + + interface SemanticAnnotationSortOptions extends SortOptions<SemanticAnnotation> { + + getSortings(): Sorting[]; + } + + /** + */ + interface SemanticAnnotationSortOptionsConstructor { + + new (): SemanticAnnotationSortOptions; + } + + interface SemanticAnnotationUpdate extends IUpdate, IObjectUpdate<ISemanticAnnotationId> { + + getDescriptorAccessionId(): FieldUpdateValue<string>; + + getDescriptorOntologyId(): FieldUpdateValue<string>; + + getDescriptorOntologyVersion(): FieldUpdateValue<string>; + + getObjectId(): ISemanticAnnotationId; + + getPredicateAccessionId(): FieldUpdateValue<string>; + + getPredicateOntologyId(): FieldUpdateValue<string>; + + getPredicateOntologyVersion(): FieldUpdateValue<string>; + + getSemanticAnnotationId(): ISemanticAnnotationId; + + setDescriptorAccessionId(arg0: string): void; + + setDescriptorOntologyId(arg0: string): void; + + setDescriptorOntologyVersion(arg0: string): void; + + setPredicateAccessionId(arg0: string): void; + + setPredicateOntologyId(arg0: string): void; + + setPredicateOntologyVersion(arg0: string): void; + + setSemanticAnnotationId(arg0: ISemanticAnnotationId): void; + } + + /** + */ + interface SemanticAnnotationUpdateConstructor { + + new (): SemanticAnnotationUpdate; + } + + interface ServerInformation { + } + + interface ServerTimeZone extends ITimeZone { + } + + /** + */ + interface ServerTimeZoneConstructor { + + new (): ServerTimeZone; + } + + interface SessionInformation extends Serializable { + + getCreatorPerson(): Person; + + getFetchOptions(): SessionInformationFetchOptions; + + getHomeGroupCode(): string; + + getPerson(): Person; + + getPersonalAccessTokenSessionName(): string; + + getSessionToken(): string; + + getUserName(): string; + + isPersonalAccessTokenSession(): boolean; + + setCreatorPerson(arg0: Person): void; + + setFetchOptions(arg0: SessionInformationFetchOptions): void; + + setHomeGroupCode(arg0: string): void; + + setPerson(arg0: Person): void; + + setPersonalAccessTokenSession(arg0: boolean): void; + + setPersonalAccessTokenSessionName(arg0: string): void; + + setSessionToken(arg0: string): void; + + setUserName(arg0: string): void; + } + + /** + */ + interface SessionInformationConstructor { + + new (): SessionInformation; + } + + interface SessionInformationFetchOptions extends FetchOptions<SessionInformation>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<SessionInformation>; + + count(arg0: number): FetchOptions<SessionInformation>; + + from(arg0: number): FetchOptions<SessionInformation>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): SessionInformationSortOptions; + + hasCreatorPerson(): boolean; + + hasPerson(): boolean; + + sortBy(): SessionInformationSortOptions; + + withCreatorPerson(): PersonFetchOptions; + + withCreatorPersonUsing(arg0: PersonFetchOptions): PersonFetchOptions; + + withPerson(): PersonFetchOptions; + + withPersonUsing(arg0: PersonFetchOptions): PersonFetchOptions; + } + + /** + */ + interface SessionInformationFetchOptionsConstructor { + + new (): SessionInformationFetchOptions; + } + + interface SessionInformationPermId extends ObjectPermId, ISessionInformationId { + + getPermId(): string; + } + + /** + */ + interface SessionInformationPermIdConstructor { + + new (arg0: string): SessionInformationPermId; + } + + interface SessionInformationSearchCriteria extends AbstractObjectSearchCriteria<ISessionInformationId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): SessionInformationSearchCriteria; + + withId(): IdSearchCriteria<ISessionInformationId>; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): SessionInformationSearchCriteria; + + withPersonalAccessTokenSession(): PersonalAccessTokenSessionSearchCriteria; + + withPersonalAccessTokenSessionName(): as_dto_session_search_PersonalAccessTokenSessionNameSearchCriteria; + + withUserName(): UserNameSearchCriteria; + } + + /** + */ + interface SessionInformationSearchCriteriaConstructor { + + new (): SessionInformationSearchCriteria; + } + + interface SessionInformationSortOptions extends SortOptions<SessionInformation> { + + getSortings(): Sorting[]; + } + + /** + */ + interface SessionInformationSortOptionsConstructor { + + new (): SessionInformationSortOptions; + } + + interface ShareIdSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface ShareIdSearchCriteriaConstructor { + + new (): ShareIdSearchCriteria; + } + + interface ShortDateFormat extends IDateFormat { + + getFormat(): string; + } + + /** + */ + interface ShortDateFormatConstructor { + + new (): ShortDateFormat; + } + + interface SizeSearchCriteria extends NumberFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractNumberValue; + + isNegated(): boolean; + + setFieldValue(arg0: AbstractNumberValue): void; + + thatEquals(arg0: number): void; + + thatIsGreaterThan(arg0: number): void; + + thatIsGreaterThanOrEqualTo(arg0: number): void; + + thatIsLessThan(arg0: number): void; + + thatIsLessThanOrEqualTo(arg0: number): void; + } + + /** + */ + interface SizeSearchCriteriaConstructor { + + new (): SizeSearchCriteria; + } + + interface SortOptions<OBJECT extends any> extends Serializable { + + getSortings(): Sorting[]; + } + + /** + */ + interface SortOptionsConstructor { + + new <OBJECT extends any>(): SortOptions<OBJECT>; + } + + interface SortOrder extends Serializable { + + asc(): void; + + desc(): void; + + isAsc(): boolean; + } + + /** + */ + interface SortOrderConstructor { + + new (): SortOrder; + } + + /** + */ + interface SortParameterObject { + /** + */ + FULL_MATCH_CODE_BOOST: SortParameter<> = "FULL_MATCH_CODE_BOOST"; + /** + */ + FULL_MATCH_PROPERTY_BOOST: SortParameter<> = "FULL_MATCH_PROPERTY_BOOST"; + /** + */ + FULL_MATCH_TYPE_BOOST: SortParameter<> = "FULL_MATCH_TYPE_BOOST"; + /** + */ + MATCH_VALUE: SortParameter<> = "MATCH_VALUE"; + /** + */ + PARTIAL_MATCH_CODE_BOOST: SortParameter<> = "PARTIAL_MATCH_CODE_BOOST"; + /** + */ + PARTIAL_MATCH_PROPERTY_BOOST: SortParameter<> = "PARTIAL_MATCH_PROPERTY_BOOST"; + /** + */ + PREFIX_MATCH_VALUE: SortParameter<> = "PREFIX_MATCH_VALUE"; + } + + interface Sorting extends Serializable { + + getField(): string; + + getOrder(): SortOrder; + + getParameters(): { [P in SortParameter]?: string }; + } + + /** + */ + interface SortingConstructor { + + new (arg0: string, arg1: SortOrder): Sorting; + + new (arg0: string, arg1: SortOrder, arg2: { [P in SortParameter]?: string }): Sorting; + } + + interface Space extends Serializable, ICodeHolder, IDescriptionHolder, IModificationDateHolder, IPermIdHolder, IProjectsHolder, IRegistrationDateHolder, IRegistratorHolder, ISamplesHolder { + + getCode(): string; + + getDescription(): string; + + getFetchOptions(): SpaceFetchOptions; + + getId(): SpaceTechId; + + getModificationDate(): number; + + getPermId(): SpacePermId; + + getProjects(): Project[]; + + getRegistrationDate(): number; + + getRegistrator(): Person; + + getSamples(): Sample[]; + + isFrozen(): boolean; + + isFrozenForProjects(): boolean; + + isFrozenForSamples(): boolean; + + setCode(arg0: string): void; + + setDescription(arg0: string): void; + + setFetchOptions(arg0: SpaceFetchOptions): void; + + setFrozen(arg0: boolean): void; + + setFrozenForProjects(arg0: boolean): void; + + setFrozenForSamples(arg0: boolean): void; + + setId(arg0: SpaceTechId): void; + + setModificationDate(arg0: number): void; + + setPermId(arg0: SpacePermId): void; + + setProjects(arg0: Project[]): void; + + setRegistrationDate(arg0: number): void; + + setRegistrator(arg0: Person): void; + + setSamples(arg0: Sample[]): void; + } + + /** + */ + interface SpaceConstructor { + + new (): Space; + } + + interface SpaceCreation extends ICreation, IObjectCreation, ICreationIdHolder { + + getCode(): string; + + getCreationId(): CreationId; + + getDescription(): string; + + setCode(arg0: string): void; + + setCreationId(arg0: CreationId): void; + + setDescription(arg0: string): void; + } + + /** + */ + interface SpaceCreationConstructor { + + new (): SpaceCreation; + } + + interface SpaceDeletionOptions extends AbstractObjectDeletionOptions<SpaceDeletionOptions> { + + getReason(): string; + + setReason(arg0: string): SpaceDeletionOptions; + } + + /** + */ + interface SpaceDeletionOptionsConstructor { + + new (): SpaceDeletionOptions; + } + + interface SpaceFetchOptions extends FetchOptions<Space>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<Space>; + + count(arg0: number): FetchOptions<Space>; + + from(arg0: number): FetchOptions<Space>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): SpaceSortOptions; + + hasProjects(): boolean; + + hasRegistrator(): boolean; + + hasSamples(): boolean; + + sortBy(): SpaceSortOptions; + + withProjects(): ProjectFetchOptions; + + withProjectsUsing(arg0: ProjectFetchOptions): ProjectFetchOptions; + + withRegistrator(): PersonFetchOptions; + + withRegistratorUsing(arg0: PersonFetchOptions): PersonFetchOptions; + + withSamples(): SampleFetchOptions; + + withSamplesUsing(arg0: SampleFetchOptions): SampleFetchOptions; + } + + /** + */ + interface SpaceFetchOptionsConstructor { + + new (): SpaceFetchOptions; + } + + interface SpacePermId extends ObjectPermId, ISpaceId { + + getPermId(): string; + } + + /** + */ + interface SpacePermIdConstructor { + + new (arg0: string): SpacePermId; + } + + interface SpaceSearchCriteria extends AbstractObjectSearchCriteria<ISpaceId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): SpaceSearchCriteria; + + withCode(): CodeSearchCriteria; + + withCodes(): CodesSearchCriteria; + + withId(): IdSearchCriteria<ISpaceId>; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): SpaceSearchCriteria; + + withPermId(): PermIdSearchCriteria; + } + + /** + */ + interface SpaceSearchCriteriaConstructor { + + new (): SpaceSearchCriteria; + } + + interface SpaceSortOptions extends EntitySortOptions<Space> { + + code(): SortOrder; + + getCode(): SortOrder; + + getModificationDate(): SortOrder; + + getPermId(): SortOrder; + + getRegistrationDate(): SortOrder; + + getSortings(): Sorting[]; + + modificationDate(): SortOrder; + + permId(): SortOrder; + + registrationDate(): SortOrder; + } + + /** + */ + interface SpaceSortOptionsConstructor { + + new (): SpaceSortOptions; + } + + interface SpaceTechId extends ObjectTechId, ISpaceId { + + getTechId(): number; + } + + /** + */ + interface SpaceTechIdConstructor { + + new (arg0: number): SpaceTechId; + } + + interface SpaceUpdate extends IUpdate, IObjectUpdate<ISpaceId> { + + freeze(): void; + + freezeForProjects(): void; + + freezeForSamples(): void; + + getDescription(): FieldUpdateValue<string>; + + getObjectId(): ISpaceId; + + getSpaceId(): ISpaceId; + + setDescription(arg0: string): void; + + setSpaceId(arg0: ISpaceId): void; + + shouldBeFrozen(): boolean; + + shouldBeFrozenForProjects(): boolean; + + shouldBeFrozenForSamples(): boolean; + } + + /** + */ + interface SpaceUpdateConstructor { + + new (): SpaceUpdate; + } + + interface SpeedHintSearchCriteria extends NumberFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractNumberValue; + + isNegated(): boolean; + + setFieldValue(arg0: AbstractNumberValue): void; + + thatEquals(arg0: number): void; + + thatIsGreaterThan(arg0: number): void; + + thatIsGreaterThanOrEqualTo(arg0: number): void; + + thatIsLessThan(arg0: number): void; + + thatIsLessThanOrEqualTo(arg0: number): void; + } + + /** + */ + interface SpeedHintSearchCriteriaConstructor { + + new (): SpeedHintSearchCriteria; + } + + interface SqlExecutionOptions extends Serializable { + + getDatabaseId(): IQueryDatabaseId; + + getParameters(): { [index: string]: string }; + + withDatabaseId(arg0: IQueryDatabaseId): SqlExecutionOptions; + + withParameter(arg0: string, arg1: string): SqlExecutionOptions; + + withParameters(arg0: { [index: string]: string }): SqlExecutionOptions; + } + + /** + */ + interface SqlExecutionOptionsConstructor { + + new (): SqlExecutionOptions; + } + + interface SqlSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface SqlSearchCriteriaConstructor { + + new (): SqlSearchCriteria; + } + + interface StatusSearchCriteria extends EnumFieldSearchCriteria<ArchivingStatus> { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): ArchivingStatus; + + isNegated(): boolean; + + setFieldValue(arg0: ArchivingStatus): void; + + thatEquals(arg0: ArchivingStatus): void; + } + + /** + */ + interface StatusSearchCriteriaConstructor { + + new (): StatusSearchCriteria; + } + + interface StorageConfirmationSearchCriteria extends BooleanFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): boolean; + + isNegated(): boolean; + + setFieldValue(arg0: boolean): void; + + thatEquals(arg0: boolean): void; + } + + /** + */ + interface StorageConfirmationSearchCriteriaConstructor { + + new (): StorageConfirmationSearchCriteria; + } + + interface StorageFormat extends Serializable, ICodeHolder { + + getCode(): string; + + getDescription(): string; + + getFetchOptions(): StorageFormatFetchOptions; + + setCode(arg0: string): void; + + setDescription(arg0: string): void; + + setFetchOptions(arg0: StorageFormatFetchOptions): void; + } + + /** + */ + interface StorageFormatConstructor { + + new (): StorageFormat; + } + + interface StorageFormatFetchOptions extends FetchOptions<StorageFormat>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<StorageFormat>; + + count(arg0: number): FetchOptions<StorageFormat>; + + from(arg0: number): FetchOptions<StorageFormat>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): StorageFormatSortOptions; + + sortBy(): StorageFormatSortOptions; + } + + /** + */ + interface StorageFormatFetchOptionsConstructor { + + new (): StorageFormatFetchOptions; + } + + interface StorageFormatPermId extends ObjectPermId, IStorageFormatId { + + getPermId(): string; + } + + /** + */ + interface StorageFormatPermIdConstructor { + + new (arg0: string): StorageFormatPermId; + } + + interface StorageFormatSearchCriteria extends AbstractCompositeSearchCriteria { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withCode(): CodeSearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + } + + /** + */ + interface StorageFormatSearchCriteriaConstructor { + + new (): StorageFormatSearchCriteria; + } + + interface StorageFormatSortOptions extends SortOptions<StorageFormat> { + + getSortings(): Sorting[]; + } + + /** + */ + interface StorageFormatSortOptionsConstructor { + + new (): StorageFormatSortOptions; + } + + interface StrictlyStringPropertySearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatMatches(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + interface StringContainsExactlyValue extends AbstractStringValue { + } + + /** + */ + interface StringContainsExactlyValueConstructor { + + new (arg0: string): StringContainsExactlyValue; + } + + interface StringContainsValue extends AbstractStringValue { + } + + /** + */ + interface StringContainsValueConstructor { + + new (arg0: string): StringContainsValue; + } + + interface StringEndsWithValue extends AbstractStringValue { + } + + interface StringEqualToValue extends AbstractStringValue { + } + + interface StringFieldSearchCriteria extends AbstractFieldSearchCriteria<AbstractStringValue> { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface StringFieldSearchCriteriaConstructor { + + new (arg0: string, arg1: SearchFieldType): StringFieldSearchCriteria; + } + + interface StringGreaterThanOrEqualToValue extends AbstractStringValue { + } + + /** + */ + interface StringGreaterThanOrEqualToValueConstructor { + + new (): StringGreaterThanOrEqualToValue; + + new (arg0: string): StringGreaterThanOrEqualToValue; + } + + interface StringGreaterThanValue extends AbstractStringValue { + } + + /** + */ + interface StringGreaterThanValueConstructor { + + new (): StringGreaterThanValue; + + new (arg0: string): StringGreaterThanValue; + } + + interface StringLessThanOrEqualToValue extends AbstractStringValue { + } + + /** + */ + interface StringLessThanOrEqualToValueConstructor { + + new (): StringLessThanOrEqualToValue; + + new (arg0: string): StringLessThanOrEqualToValue; + } + + interface StringLessThanValue extends AbstractStringValue { + } + + /** + */ + interface StringLessThanValueConstructor { + + new (): StringLessThanValue; + + new (arg0: string): StringLessThanValue; + } + + interface StringMatchesValue extends AbstractStringValue { + } + + /** + */ + interface StringMatchesValueConstructor { + + new (arg0: string): StringMatchesValue; + } + + interface StringPropertySearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatMatches(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + interface StringStartsWithValue extends AbstractStringValue { + } + + /** + */ + interface StringStartsWithValueConstructor { + + new (arg0: string): StringStartsWithValue; + } + + interface SynchronousOperationExecutionOptions extends AbstractOperationExecutionOptions { + + getAvailabilityTime(): number; + + getDescription(): string; + + getDetailsAvailabilityTime(): number; + + getExecutionId(): OperationExecutionPermId; + + getNotification(): IOperationExecutionNotification; + + getSummaryAvailabilityTime(): number; + + isExecuteInOrder(): boolean; + + setAvailabilityTime(arg0: number): void; + + setDescription(arg0: string): void; + + setDetailsAvailabilityTime(arg0: number): void; + + setExecuteInOrder(arg0: boolean): void; + + setExecutionId(arg0: OperationExecutionPermId): void; + + setNotification(arg0: IOperationExecutionNotification): void; + + setSummaryAvailabilityTime(arg0: number): void; + } + + /** + */ + interface SynchronousOperationExecutionOptionsConstructor { + + new (): SynchronousOperationExecutionOptions; + } + + interface SynchronousOperationExecutionResults extends IOperationExecutionResults { + + getResults(): as_dto_common_operation_IOperationResult[]; + } + + /** + */ + interface SynchronousOperationExecutionResultsConstructor { + + new (arg0: as_dto_common_operation_IOperationResult[]): SynchronousOperationExecutionResults; + } + + interface TableColumn extends Serializable { + + getTitle(): string; + } + + /** + */ + interface TableColumnConstructor { + + new (arg0: string): TableColumn; + } + + interface TableDoubleCell extends ITableCell { + + getValue(): number; + } + + /** + */ + interface TableDoubleCellConstructor { + + new (arg0: number): TableDoubleCell; + } + + interface TableLongCell extends ITableCell { + + getValue(): number; + } + + /** + */ + interface TableLongCellConstructor { + + new (arg0: number): TableLongCell; + } + + interface TableModel extends Serializable { + + getColumns(): TableColumn[]; + + getRows(): ITableCell[][]; + } + + /** + */ + interface TableModelConstructor { + + new (arg0: TableColumn[], arg1: ITableCell[][]): TableModel; + } + + interface TableStringCell extends ITableCell { + + getValue(): string; + } + + /** + */ + interface TableStringCellConstructor { + + new (arg0: string): TableStringCell; + } + + interface Tag extends Serializable, ICodeHolder, IDataSetsHolder, IDescriptionHolder, IExperimentsHolder, IMaterialsHolder, IOwnerHolder, IPermIdHolder, IRegistrationDateHolder, ISamplesHolder { + + getCode(): string; + + getDataSets(): DataSet[]; + + getDescription(): string; + + getExperiments(): Experiment[]; + + getFetchOptions(): TagFetchOptions; + + getMaterials(): Material[]; + + getOwner(): Person; + + getPermId(): TagPermId; + + getRegistrationDate(): number; + + getSamples(): Sample[]; + + isPrivate(): boolean; + + setCode(arg0: string): void; + + setDataSets(arg0: DataSet[]): void; + + setDescription(arg0: string): void; + + setExperiments(arg0: Experiment[]): void; + + setFetchOptions(arg0: TagFetchOptions): void; + + setMaterials(arg0: Material[]): void; + + setOwner(arg0: Person): void; + + setPermId(arg0: TagPermId): void; + + setPrivate(arg0: boolean): void; + + setRegistrationDate(arg0: number): void; + + setSamples(arg0: Sample[]): void; + } + + interface TagCode extends ITagId, Serializable { + + getCode(): string; + } + + /** + */ + interface TagCodeConstructor { + + new (arg0: string): TagCode; + } + + /** + */ + interface TagConstructor { + + new (): Tag; + } + + interface TagCreation extends ICreation, IObjectCreation { + + getCode(): string; + + getDataSetIds(): IDataSetId[]; + + getDescription(): string; + + getExperimentIds(): IExperimentId[]; + + getMaterialIds(): IMaterialId[]; + + getSampleIds(): ISampleId[]; + + setCode(arg0: string): void; + + setDataSetIds(arg0: IDataSetId[]): void; + + setDescription(arg0: string): void; + + setExperimentIds(arg0: IExperimentId[]): void; + + setMaterialIds(arg0: IMaterialId[]): void; + + setSampleIds(arg0: ISampleId[]): void; + } + + /** + */ + interface TagCreationConstructor { + + new (): TagCreation; + } + + interface TagDeletionOptions extends AbstractObjectDeletionOptions<TagDeletionOptions> { + + getReason(): string; + + setReason(arg0: string): TagDeletionOptions; + } + + /** + */ + interface TagDeletionOptionsConstructor { + + new (): TagDeletionOptions; + } + + interface TagFetchOptions extends FetchOptions<Tag>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<Tag>; + + count(arg0: number): FetchOptions<Tag>; + + from(arg0: number): FetchOptions<Tag>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): TagSortOptions; + + hasDataSets(): boolean; + + hasExperiments(): boolean; + + hasMaterials(): boolean; + + hasOwner(): boolean; + + hasSamples(): boolean; + + sortBy(): TagSortOptions; + + withDataSets(): DataSetFetchOptions; + + withDataSetsUsing(arg0: DataSetFetchOptions): DataSetFetchOptions; + + withExperiments(): ExperimentFetchOptions; + + withExperimentsUsing(arg0: ExperimentFetchOptions): ExperimentFetchOptions; + + withMaterials(): MaterialFetchOptions; + + withMaterialsUsing(arg0: MaterialFetchOptions): MaterialFetchOptions; + + withOwner(): PersonFetchOptions; + + withOwnerUsing(arg0: PersonFetchOptions): PersonFetchOptions; + + withSamples(): SampleFetchOptions; + + withSamplesUsing(arg0: SampleFetchOptions): SampleFetchOptions; + } + + /** + */ + interface TagFetchOptionsConstructor { + + new (): TagFetchOptions; + } + + interface TagPermId extends ObjectPermId, ITagId { + + getPermId(): string; + } + + /** + */ + interface TagPermIdConstructor { + + new (arg0: string): TagPermId; + + new (arg0: string, arg1: string): TagPermId; + } + + interface TagSearchCriteria extends AbstractObjectSearchCriteria<ITagId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): TagSearchCriteria; + + withCode(): CodeSearchCriteria; + + withCodes(): CodesSearchCriteria; + + withId(): IdSearchCriteria<ITagId>; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): TagSearchCriteria; + + withPermId(): PermIdSearchCriteria; + } + + /** + */ + interface TagSearchCriteriaConstructor { + + new (): TagSearchCriteria; + } + + interface TagSortOptions extends SortOptions<Tag> { + + code(): SortOrder; + + getCode(): SortOrder; + + getRegistrationDate(): SortOrder; + + getSortings(): Sorting[]; + + registrationDate(): SortOrder; + } + + /** + */ + interface TagSortOptionsConstructor { + + new (): TagSortOptions; + } + + interface TagUpdate extends IUpdate, IObjectUpdate<ITagId> { + + getDataSetIds(): IdListUpdateValue<IDataSetId>; + + getDescription(): FieldUpdateValue<string>; + + getExperimentIds(): IdListUpdateValue<IExperimentId>; + + getMaterialIds(): IdListUpdateValue<IMaterialId>; + + getObjectId(): ITagId; + + getSampleIds(): IdListUpdateValue<ISampleId>; + + getTagId(): ITagId; + + setDataSetActions(arg0: ListUpdateAction<IDataSetId>[]): void; + + setDescription(arg0: string): void; + + setExperimentActions(arg0: ListUpdateAction<IExperimentId>[]): void; + + setMaterialActions(arg0: ListUpdateAction<IMaterialId>[]): void; + + setSampleActions(arg0: ListUpdateAction<ISampleId>[]): void; + + setTagId(arg0: ITagId): void; + } + + /** + */ + interface TagUpdateConstructor { + + new (): TagUpdate; + } + + interface TechIdSearchCriteria extends NumberFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractNumberValue; + + isNegated(): boolean; + + setFieldValue(arg0: AbstractNumberValue): void; + + thatEquals(arg0: number): void; + + thatIsGreaterThan(arg0: number): void; + + thatIsGreaterThanOrEqualTo(arg0: number): void; + + thatIsLessThan(arg0: number): void; + + thatIsLessThanOrEqualTo(arg0: number): void; + } + + /** + */ + interface TechIdSearchCriteriaConstructor { + + new (): TechIdSearchCriteria; + } + + interface TextAttributeSearchCriteria extends AbstractSearchCriteria { + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + thatMatches(arg0: string): void; + } + + /** + */ + interface TextAttributeSearchCriteriaConstructor { + + new (): TextAttributeSearchCriteria; + } + + interface TimeZone extends ITimeZone { + + getHourOffset(): number; + } + + /** + */ + interface TimeZoneConstructor { + + new (arg0: number): TimeZone; + } + + interface UnarchiveDataSetsOperation extends IOperation { + + getDataSetIds(): IDataSetId[]; + + getMessage(): string; + + getOptions(): DataSetUnarchiveOptions; + } + + /** + */ + interface UnarchiveDataSetsOperationConstructor { + + new (arg0: IDataSetId[], arg1: DataSetUnarchiveOptions): UnarchiveDataSetsOperation; + } + + interface UnarchiveDataSetsOperationResult extends as_dto_common_operation_IOperationResult { + + getMessage(): string; + } + + /** + */ + interface UnarchiveDataSetsOperationResultConstructor { + + new (): UnarchiveDataSetsOperationResult; + } + + interface UncompressedImportData extends Serializable, IImportData { + + getFile(): string; + + getFormat(): ImportFormat; + + getImportValues(): ImportValue[]; + + getScripts(): ImportScript[]; + + setFile(arg0: string): void; + + setFormat(arg0: ImportFormat): void; + + setImportValues(arg0: ImportValue[]): void; + + setScripts(arg0: ImportScript[]): void; + } + + /** + */ + interface UncompressedImportDataConstructor { + + new (): UncompressedImportData; + + new (arg0: ImportFormat, arg1: string, arg2: ImportScript[], arg3: ImportValue[]): UncompressedImportData; + } + + interface UnknownRelatedObjectId extends IObjectId { + + getRelatedObjectId(): string; + + getRelationType(): string; + } + + /** + */ + interface UnknownRelatedObjectIdConstructor { + + new (arg0: string, arg1: string): UnknownRelatedObjectId; + } + + interface UnlockDataSetsOperation extends IOperation { + + getDataSetIds(): IDataSetId[]; + + getMessage(): string; + + getOptions(): DataSetUnlockOptions; + } + + /** + */ + interface UnlockDataSetsOperationConstructor { + + new (arg0: IDataSetId[], arg1: DataSetUnlockOptions): UnlockDataSetsOperation; + } + + interface UnlockDataSetsOperationResult extends as_dto_common_operation_IOperationResult { + + getMessage(): string; + } + + /** + */ + interface UnlockDataSetsOperationResultConstructor { + + new (): UnlockDataSetsOperationResult; + } + + interface UpdateAuthorizationGroupsOperation extends UpdateObjectsOperation<AuthorizationGroupUpdate> { + + getMessage(): string; + + getUpdates(): AuthorizationGroupUpdate[]; + } + + /** + */ + interface UpdateAuthorizationGroupsOperationConstructor { + + new (arg0: AuthorizationGroupUpdate[]): UpdateAuthorizationGroupsOperation; + + new (arg0: AuthorizationGroupUpdate[]): UpdateAuthorizationGroupsOperation; + } + + interface UpdateAuthorizationGroupsOperationResult extends UpdateObjectsOperationResult<AuthorizationGroupPermId> { + + getMessage(): string; + + getObjectIds(): AuthorizationGroupPermId[]; + } + + /** + */ + interface UpdateAuthorizationGroupsOperationResultConstructor { + + new (arg0: AuthorizationGroupPermId[]): UpdateAuthorizationGroupsOperationResult; + } + + interface UpdateDataSetTypesOperation extends UpdateObjectsOperation<DataSetTypeUpdate> { + + getMessage(): string; + + getUpdates(): DataSetTypeUpdate[]; + } + + /** + */ + interface UpdateDataSetTypesOperationConstructor { + + new (arg0: DataSetTypeUpdate[]): UpdateDataSetTypesOperation; + + new (arg0: DataSetTypeUpdate[]): UpdateDataSetTypesOperation; + } + + interface UpdateDataSetTypesOperationResult extends UpdateObjectsOperationResult<EntityTypePermId> { + + getMessage(): string; + + getObjectIds(): EntityTypePermId[]; + } + + /** + */ + interface UpdateDataSetTypesOperationResultConstructor { + + new (arg0: EntityTypePermId[]): UpdateDataSetTypesOperationResult; + } + + interface UpdateDataSetsOperation extends UpdateObjectsOperation<DataSetUpdate> { + + getMessage(): string; + + getUpdates(): DataSetUpdate[]; + } + + /** + */ + interface UpdateDataSetsOperationConstructor { + + new (arg0: DataSetUpdate[]): UpdateDataSetsOperation; + + new (arg0: DataSetUpdate[]): UpdateDataSetsOperation; + } + + interface UpdateDataSetsOperationResult extends UpdateObjectsOperationResult<DataSetPermId> { + + getMessage(): string; + + getObjectIds(): DataSetPermId[]; + } + + /** + */ + interface UpdateDataSetsOperationResultConstructor { + + new (arg0: DataSetPermId[]): UpdateDataSetsOperationResult; + } + + interface UpdateExperimentTypesOperation extends UpdateObjectsOperation<ExperimentTypeUpdate> { + + getMessage(): string; + + getUpdates(): ExperimentTypeUpdate[]; + } + + /** + */ + interface UpdateExperimentTypesOperationConstructor { + + new (arg0: ExperimentTypeUpdate[]): UpdateExperimentTypesOperation; + + new (arg0: ExperimentTypeUpdate[]): UpdateExperimentTypesOperation; + } + + interface UpdateExperimentTypesOperationResult extends UpdateObjectsOperationResult<EntityTypePermId> { + + getMessage(): string; + + getObjectIds(): EntityTypePermId[]; + } + + /** + */ + interface UpdateExperimentTypesOperationResultConstructor { + + new (arg0: EntityTypePermId[]): UpdateExperimentTypesOperationResult; + } + + interface UpdateExperimentsOperation extends UpdateObjectsOperation<ExperimentUpdate> { + + getMessage(): string; + + getUpdates(): ExperimentUpdate[]; + } + + /** + */ + interface UpdateExperimentsOperationConstructor { + + new (arg0: ExperimentUpdate[]): UpdateExperimentsOperation; + + new (arg0: ExperimentUpdate[]): UpdateExperimentsOperation; + } + + interface UpdateExperimentsOperationResult extends UpdateObjectsOperationResult<ExperimentPermId> { + + getMessage(): string; + + getObjectIds(): ExperimentPermId[]; + } + + /** + */ + interface UpdateExperimentsOperationResultConstructor { + + new (arg0: ExperimentPermId[]): UpdateExperimentsOperationResult; + } + + interface UpdateExternalDmsOperation extends UpdateObjectsOperation<ExternalDmsUpdate> { + + getMessage(): string; + + getUpdates(): ExternalDmsUpdate[]; + } + + /** + */ + interface UpdateExternalDmsOperationConstructor { + + new (arg0: ExternalDmsUpdate[]): UpdateExternalDmsOperation; + + new (arg0: ExternalDmsUpdate[]): UpdateExternalDmsOperation; + } + + interface UpdateExternalDmsOperationResult extends UpdateObjectsOperationResult<ExternalDmsPermId> { + + getMessage(): string; + + getObjectIds(): ExternalDmsPermId[]; + } + + /** + */ + interface UpdateExternalDmsOperationResultConstructor { + + new (arg0: ExternalDmsPermId[]): UpdateExternalDmsOperationResult; + } + + interface UpdateMaterialTypesOperation extends UpdateObjectsOperation<MaterialTypeUpdate> { + + getMessage(): string; + + getUpdates(): MaterialTypeUpdate[]; + } + + /** + */ + interface UpdateMaterialTypesOperationConstructor { + + new (arg0: MaterialTypeUpdate[]): UpdateMaterialTypesOperation; + + new (arg0: MaterialTypeUpdate[]): UpdateMaterialTypesOperation; + } + + interface UpdateMaterialTypesOperationResult extends UpdateObjectsOperationResult<EntityTypePermId> { + + getMessage(): string; + + getObjectIds(): EntityTypePermId[]; + } + + /** + */ + interface UpdateMaterialTypesOperationResultConstructor { + + new (arg0: EntityTypePermId[]): UpdateMaterialTypesOperationResult; + } + + interface UpdateMaterialsOperation extends UpdateObjectsOperation<MaterialUpdate> { + + getMessage(): string; + + getUpdates(): MaterialUpdate[]; + } + + /** + */ + interface UpdateMaterialsOperationConstructor { + + new (arg0: MaterialUpdate[]): UpdateMaterialsOperation; + + new (arg0: MaterialUpdate[]): UpdateMaterialsOperation; + } + + interface UpdateMaterialsOperationResult extends UpdateObjectsOperationResult<MaterialPermId> { + + getMessage(): string; + + getObjectIds(): MaterialPermId[]; + } + + /** + */ + interface UpdateMaterialsOperationResultConstructor { + + new (arg0: MaterialPermId[]): UpdateMaterialsOperationResult; + } + + interface UpdateObjectsOperation<U extends IObjectUpdate<any>> extends IOperation { + + getMessage(): string; + + getUpdates(): U[]; + } + + /** + */ + interface UpdateObjectsOperationConstructor { + + new <U extends IObjectUpdate<any>>(arg0: U[]): UpdateObjectsOperation<U>; + + new <U extends IObjectUpdate<any>>(arg0: U[]): UpdateObjectsOperation<U>; + } + + interface UpdateObjectsOperationResult<ID extends IObjectId> extends as_dto_common_operation_IOperationResult { + + getMessage(): string; + + getObjectIds(): ID[]; + } + + /** + */ + interface UpdateObjectsOperationResultConstructor { + + new <ID extends IObjectId>(arg0: ID[]): UpdateObjectsOperationResult<ID>; + } + + interface UpdateOperationExecutionsOperation extends UpdateObjectsOperation<OperationExecutionUpdate> { + + getMessage(): string; + + getUpdates(): OperationExecutionUpdate[]; + } + + /** + */ + interface UpdateOperationExecutionsOperationConstructor { + + new (arg0: OperationExecutionUpdate[]): UpdateOperationExecutionsOperation; + + new (arg0: OperationExecutionUpdate[]): UpdateOperationExecutionsOperation; + } + + interface UpdateOperationExecutionsOperationResult extends UpdateObjectsOperationResult<OperationExecutionPermId> { + + getMessage(): string; + + getObjectIds(): OperationExecutionPermId[]; + } + + /** + */ + interface UpdateOperationExecutionsOperationResultConstructor { + + new (arg0: OperationExecutionPermId[]): UpdateOperationExecutionsOperationResult; + } + + interface UpdatePersonalAccessTokensOperation extends UpdateObjectsOperation<PersonalAccessTokenUpdate> { + + getMessage(): string; + + getUpdates(): PersonalAccessTokenUpdate[]; + } + + /** + */ + interface UpdatePersonalAccessTokensOperationConstructor { + + new (arg0: PersonalAccessTokenUpdate[]): UpdatePersonalAccessTokensOperation; + + new (arg0: PersonalAccessTokenUpdate[]): UpdatePersonalAccessTokensOperation; + } + + interface UpdatePersonalAccessTokensOperationResult extends UpdateObjectsOperationResult<PersonalAccessTokenPermId> { + + getMessage(): string; + + getObjectIds(): PersonalAccessTokenPermId[]; + } + + /** + */ + interface UpdatePersonalAccessTokensOperationResultConstructor { + + new (arg0: PersonalAccessTokenPermId[]): UpdatePersonalAccessTokensOperationResult; + } + + interface UpdatePersonsOperation extends UpdateObjectsOperation<PersonUpdate> { + + getMessage(): string; + + getUpdates(): PersonUpdate[]; + } + + /** + */ + interface UpdatePersonsOperationConstructor { + + new (arg0: PersonUpdate[]): UpdatePersonsOperation; + + new (arg0: PersonUpdate[]): UpdatePersonsOperation; + } + + interface UpdatePersonsOperationResult extends UpdateObjectsOperationResult<PersonPermId> { + + getMessage(): string; + + getObjectIds(): PersonPermId[]; + } + + /** + */ + interface UpdatePersonsOperationResultConstructor { + + new (arg0: PersonPermId[]): UpdatePersonsOperationResult; + } + + interface UpdatePluginsOperation extends UpdateObjectsOperation<PluginUpdate> { + + getMessage(): string; + + getUpdates(): PluginUpdate[]; + } + + /** + */ + interface UpdatePluginsOperationConstructor { + + new (arg0: PluginUpdate[]): UpdatePluginsOperation; + + new (arg0: PluginUpdate[]): UpdatePluginsOperation; + } + + interface UpdatePluginsOperationResult extends UpdateObjectsOperationResult<PluginPermId> { + + getMessage(): string; + + getObjectIds(): PluginPermId[]; + } + + /** + */ + interface UpdatePluginsOperationResultConstructor { + + new (arg0: PluginPermId[]): UpdatePluginsOperationResult; + } + + interface UpdateProjectsOperation extends UpdateObjectsOperation<ProjectUpdate> { + + getMessage(): string; + + getUpdates(): ProjectUpdate[]; + } + + /** + */ + interface UpdateProjectsOperationConstructor { + + new (arg0: ProjectUpdate[]): UpdateProjectsOperation; + + new (arg0: ProjectUpdate[]): UpdateProjectsOperation; + } + + interface UpdateProjectsOperationResult extends UpdateObjectsOperationResult<ProjectPermId> { + + getMessage(): string; + + getObjectIds(): ProjectPermId[]; + } + + /** + */ + interface UpdateProjectsOperationResultConstructor { + + new (arg0: ProjectPermId[]): UpdateProjectsOperationResult; + } + + interface UpdatePropertyTypesOperation extends UpdateObjectsOperation<PropertyTypeUpdate> { + + getMessage(): string; + + getUpdates(): PropertyTypeUpdate[]; + } + + /** + */ + interface UpdatePropertyTypesOperationConstructor { + + new (arg0: PropertyTypeUpdate[]): UpdatePropertyTypesOperation; + + new (arg0: PropertyTypeUpdate[]): UpdatePropertyTypesOperation; + } + + interface UpdatePropertyTypesOperationResult extends UpdateObjectsOperationResult<PropertyTypePermId> { + + getMessage(): string; + + getObjectIds(): PropertyTypePermId[]; + } + + /** + */ + interface UpdatePropertyTypesOperationResultConstructor { + + new (arg0: PropertyTypePermId[]): UpdatePropertyTypesOperationResult; + } + + interface UpdateQueriesOperation extends UpdateObjectsOperation<QueryUpdate> { + + getMessage(): string; + + getUpdates(): QueryUpdate[]; + } + + /** + */ + interface UpdateQueriesOperationConstructor { + + new (arg0: QueryUpdate[]): UpdateQueriesOperation; + + new (arg0: QueryUpdate[]): UpdateQueriesOperation; + } + + interface UpdateQueriesOperationResult extends UpdateObjectsOperationResult<QueryTechId> { + + getMessage(): string; + + getObjectIds(): QueryTechId[]; + } + + /** + */ + interface UpdateQueriesOperationResultConstructor { + + new (arg0: QueryTechId[]): UpdateQueriesOperationResult; + } + + interface UpdateSampleTypesOperation extends UpdateObjectsOperation<SampleTypeUpdate> { + + getMessage(): string; + + getUpdates(): SampleTypeUpdate[]; + } + + /** + */ + interface UpdateSampleTypesOperationConstructor { + + new (arg0: SampleTypeUpdate[]): UpdateSampleTypesOperation; + + new (arg0: SampleTypeUpdate[]): UpdateSampleTypesOperation; + } + + interface UpdateSampleTypesOperationResult extends UpdateObjectsOperationResult<EntityTypePermId> { + + getMessage(): string; + + getObjectIds(): EntityTypePermId[]; + } + + /** + */ + interface UpdateSampleTypesOperationResultConstructor { + + new (arg0: EntityTypePermId[]): UpdateSampleTypesOperationResult; + } + + interface UpdateSamplesOperation extends UpdateObjectsOperation<SampleUpdate> { + + getMessage(): string; + + getUpdates(): SampleUpdate[]; + } + + /** + */ + interface UpdateSamplesOperationConstructor { + + new (arg0: SampleUpdate[]): UpdateSamplesOperation; + + new (arg0: SampleUpdate[]): UpdateSamplesOperation; + } + + interface UpdateSamplesOperationResult extends UpdateObjectsOperationResult<SamplePermId> { + + getMessage(): string; + + getObjectIds(): SamplePermId[]; + } + + /** + */ + interface UpdateSamplesOperationResultConstructor { + + new (arg0: SamplePermId[]): UpdateSamplesOperationResult; + } + + interface UpdateSemanticAnnotationsOperation extends UpdateObjectsOperation<SemanticAnnotationUpdate> { + + getMessage(): string; + + getUpdates(): SemanticAnnotationUpdate[]; + } + + /** + */ + interface UpdateSemanticAnnotationsOperationConstructor { + + new (arg0: SemanticAnnotationUpdate[]): UpdateSemanticAnnotationsOperation; + + new (arg0: SemanticAnnotationUpdate[]): UpdateSemanticAnnotationsOperation; + } + + interface UpdateSemanticAnnotationsOperationResult extends UpdateObjectsOperationResult<SemanticAnnotationPermId> { + + getMessage(): string; + + getObjectIds(): SemanticAnnotationPermId[]; + } + + /** + */ + interface UpdateSemanticAnnotationsOperationResultConstructor { + + new (arg0: SemanticAnnotationPermId[]): UpdateSemanticAnnotationsOperationResult; + } + + interface UpdateSpacesOperation extends UpdateObjectsOperation<SpaceUpdate> { + + getMessage(): string; + + getUpdates(): SpaceUpdate[]; + } + + /** + */ + interface UpdateSpacesOperationConstructor { + + new (arg0: SpaceUpdate[]): UpdateSpacesOperation; + + new (arg0: SpaceUpdate[]): UpdateSpacesOperation; + } + + interface UpdateSpacesOperationResult extends UpdateObjectsOperationResult<SpacePermId> { + + getMessage(): string; + + getObjectIds(): SpacePermId[]; + } + + /** + */ + interface UpdateSpacesOperationResultConstructor { + + new (arg0: SpacePermId[]): UpdateSpacesOperationResult; + } + + interface UpdateTagsOperation extends UpdateObjectsOperation<TagUpdate> { + + getMessage(): string; + + getUpdates(): TagUpdate[]; + } + + /** + */ + interface UpdateTagsOperationConstructor { + + new (arg0: TagUpdate[]): UpdateTagsOperation; + + new (arg0: TagUpdate[]): UpdateTagsOperation; + } + + interface UpdateTagsOperationResult extends UpdateObjectsOperationResult<TagPermId> { + + getMessage(): string; + + getObjectIds(): TagPermId[]; + } + + /** + */ + interface UpdateTagsOperationResultConstructor { + + new (arg0: TagPermId[]): UpdateTagsOperationResult; + } + + interface UpdateVocabulariesOperation extends UpdateObjectsOperation<VocabularyUpdate> { + + getMessage(): string; + + getUpdates(): VocabularyUpdate[]; + } + + /** + */ + interface UpdateVocabulariesOperationConstructor { + + new (arg0: VocabularyUpdate[]): UpdateVocabulariesOperation; + + new (arg0: VocabularyUpdate[]): UpdateVocabulariesOperation; + } + + interface UpdateVocabulariesOperationResult extends UpdateObjectsOperationResult<VocabularyPermId> { + + getMessage(): string; + + getObjectIds(): VocabularyPermId[]; + } + + /** + */ + interface UpdateVocabulariesOperationResultConstructor { + + new (arg0: VocabularyPermId[]): UpdateVocabulariesOperationResult; + } + + interface UpdateVocabularyTermsOperation extends UpdateObjectsOperation<VocabularyTermUpdate> { + + getMessage(): string; + + getUpdates(): VocabularyTermUpdate[]; + } + + /** + */ + interface UpdateVocabularyTermsOperationConstructor { + + new (arg0: VocabularyTermUpdate[]): UpdateVocabularyTermsOperation; + + new (arg0: VocabularyTermUpdate[]): UpdateVocabularyTermsOperation; + } + + interface UpdateVocabularyTermsOperationResult extends UpdateObjectsOperationResult<VocabularyTermPermId> { + + getMessage(): string; + + getObjectIds(): VocabularyTermPermId[]; + } + + /** + */ + interface UpdateVocabularyTermsOperationResultConstructor { + + new (arg0: VocabularyTermPermId[]): UpdateVocabularyTermsOperationResult; + } + + interface UploadedDataSetCreation extends ICreation { + + getExperimentId(): IExperimentId; + + getParentIds(): IDataSetId[]; + + getProperties(): { [index: string]: Serializable }; + + getProperty(arg0: string): Serializable; + + getSampleId(): ISampleId; + + getTypeId(): IEntityTypeId; + + getUploadId(): string; + + setExperimentId(arg0: IExperimentId): void; + + setParentIds(arg0: IDataSetId[]): void; + + setProperties(arg0: { [index: string]: Serializable }): void; + + setProperty(arg0: string, arg1: Serializable): void; + + setSampleId(arg0: ISampleId): void; + + setTypeId(arg0: IEntityTypeId): void; + + setUploadId(arg0: string): void; + } + + /** + */ + interface UploadedDataSetCreationConstructor { + + new (): UploadedDataSetCreation; + } + + interface UserIdSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface UserIdSearchCriteriaConstructor { + + new (): UserIdSearchCriteria; + } + + interface UserIdsSearchCriteria extends CollectionFieldSearchCriteria<string> { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): string[]; + + isNegated(): boolean; + + setFieldValue(arg0: string[]): void; + + thatIn(arg0: string[]): void; + } + + /** + */ + interface UserIdsSearchCriteriaConstructor { + + new (): UserIdsSearchCriteria; + } + + interface UserNameSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface UserNameSearchCriteriaConstructor { + + new (): UserNameSearchCriteria; + } + + interface Vocabulary extends Serializable, ICodeHolder, IDescriptionHolder, IModificationDateHolder, IRegistrationDateHolder, IRegistratorHolder { + + getCode(): string; + + getDescription(): string; + + getFetchOptions(): VocabularyFetchOptions; + + getModificationDate(): number; + + getPermId(): VocabularyPermId; + + getRegistrationDate(): number; + + getRegistrator(): Person; + + getTerms(): VocabularyTerm[]; + + getUrlTemplate(): string; + + isChosenFromList(): boolean; + + isInternalNameSpace(): boolean; + + isManagedInternally(): boolean; + + setChosenFromList(arg0: boolean): void; + + setCode(arg0: string): void; + + setDescription(arg0: string): void; + + setFetchOptions(arg0: VocabularyFetchOptions): void; + + setInternalNameSpace(arg0: boolean): void; + + setManagedInternally(arg0: boolean): void; + + setModificationDate(arg0: number): void; + + setRegistrationDate(arg0: number): void; + + setRegistrator(arg0: Person): void; + + setTerms(arg0: VocabularyTerm[]): void; + + setUrlTemplate(arg0: string): void; + } + + /** + */ + interface VocabularyConstructor { + + new (): Vocabulary; + } + + interface VocabularyCreation extends ICreation, IObjectCreation { + + getCode(): string; + + getDescription(): string; + + getTerms(): VocabularyTermCreation[]; + + getUrlTemplate(): string; + + isChosenFromList(): boolean; + + isInternalNameSpace(): boolean; + + isManagedInternally(): boolean; + + setChosenFromList(arg0: boolean): void; + + setCode(arg0: string): void; + + setDescription(arg0: string): void; + + setInternalNameSpace(arg0: boolean): void; + + setManagedInternally(arg0: boolean): void; + + setTerms(arg0: VocabularyTermCreation[]): void; + + setUrlTemplate(arg0: string): void; + } + + /** + */ + interface VocabularyCreationConstructor { + + new (): VocabularyCreation; + } + + interface VocabularyDeletionOptions extends AbstractObjectDeletionOptions<VocabularyDeletionOptions> { + + getReason(): string; + + setReason(arg0: string): VocabularyDeletionOptions; + } + + /** + */ + interface VocabularyDeletionOptionsConstructor { + + new (): VocabularyDeletionOptions; + } + + interface VocabularyFetchOptions extends FetchOptions<Vocabulary>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<Vocabulary>; + + count(arg0: number): FetchOptions<Vocabulary>; + + from(arg0: number): FetchOptions<Vocabulary>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): VocabularySortOptions; + + hasRegistrator(): boolean; + + hasTerms(): boolean; + + sortBy(): VocabularySortOptions; + + withRegistrator(): PersonFetchOptions; + + withRegistratorUsing(arg0: PersonFetchOptions): PersonFetchOptions; + + withTerms(): VocabularyTermFetchOptions; + + withTermsUsing(arg0: VocabularyTermFetchOptions): VocabularyTermFetchOptions; + } + + /** + */ + interface VocabularyFetchOptionsConstructor { + + new (): VocabularyFetchOptions; + } + + interface VocabularyPermId extends ObjectPermId, IVocabularyId { + + getPermId(): string; + } + + /** + */ + interface VocabularyPermIdConstructor { + + new (arg0: string): VocabularyPermId; + } + + interface VocabularySearchCriteria extends AbstractObjectSearchCriteria<IVocabularyId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): VocabularySearchCriteria; + + withCode(): CodeSearchCriteria; + + withCodes(): CodesSearchCriteria; + + withId(): IdSearchCriteria<IVocabularyId>; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): VocabularySearchCriteria; + + withPermId(): PermIdSearchCriteria; + } + + /** + */ + interface VocabularySearchCriteriaConstructor { + + new (): VocabularySearchCriteria; + } + + interface VocabularySortOptions extends SortOptions<Vocabulary> { + + code(): SortOrder; + + getCode(): SortOrder; + + getSortings(): Sorting[]; + } + + /** + */ + interface VocabularySortOptionsConstructor { + + new (): VocabularySortOptions; + } + + interface VocabularyTerm extends Serializable, ICodeHolder, IDescriptionHolder, IModificationDateHolder, IPermIdHolder, IRegistrationDateHolder, IRegistratorHolder { + + getCode(): string; + + getDescription(): string; + + getFetchOptions(): VocabularyTermFetchOptions; + + getLabel(): string; + + getModificationDate(): number; + + getOrdinal(): number; + + getPermId(): VocabularyTermPermId; + + getRegistrationDate(): number; + + getRegistrator(): Person; + + getVocabulary(): Vocabulary; + + isOfficial(): boolean; + + setCode(arg0: string): void; + + setDescription(arg0: string): void; + + setFetchOptions(arg0: VocabularyTermFetchOptions): void; + + setLabel(arg0: string): void; + + setModificationDate(arg0: number): void; + + setOfficial(arg0: boolean): void; + + setOrdinal(arg0: number): void; + + setPermId(arg0: VocabularyTermPermId): void; + + setRegistrationDate(arg0: number): void; + + setRegistrator(arg0: Person): void; + + setVocabulary(arg0: Vocabulary): void; + } + + /** + */ + interface VocabularyTermConstructor { + + new (): VocabularyTerm; + } + + interface VocabularyTermCreation extends ICreation, IObjectCreation { + + getCode(): string; + + getDescription(): string; + + getLabel(): string; + + getPreviousTermId(): IVocabularyTermId; + + getVocabularyId(): IVocabularyId; + + isOfficial(): boolean; + + setCode(arg0: string): void; + + setDescription(arg0: string): void; + + setLabel(arg0: string): void; + + setOfficial(arg0: boolean): void; + + setPreviousTermId(arg0: IVocabularyTermId): void; + + setVocabularyId(arg0: IVocabularyId): void; + } + + /** + */ + interface VocabularyTermCreationConstructor { + + new (): VocabularyTermCreation; + } + + interface VocabularyTermDeletionOptions extends AbstractObjectDeletionOptions<VocabularyTermDeletionOptions> { + + getReason(): string; + + getReplacements(): VocabularyTermReplacement[]; + + replace(arg0: IVocabularyTermId, arg1: IVocabularyTermId): void; + + setReason(arg0: string): VocabularyTermDeletionOptions; + } + + /** + */ + interface VocabularyTermDeletionOptionsConstructor { + + new (): VocabularyTermDeletionOptions; + } + + interface VocabularyTermFetchOptions extends FetchOptions<VocabularyTerm>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<VocabularyTerm>; + + count(arg0: number): FetchOptions<VocabularyTerm>; + + from(arg0: number): FetchOptions<VocabularyTerm>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSortBy(): VocabularyTermSortOptions; + + hasRegistrator(): boolean; + + hasVocabulary(): boolean; + + sortBy(): VocabularyTermSortOptions; + + withRegistrator(): PersonFetchOptions; + + withRegistratorUsing(arg0: PersonFetchOptions): PersonFetchOptions; + + withVocabulary(): VocabularyFetchOptions; + + withVocabularyUsing(arg0: VocabularyFetchOptions): VocabularyFetchOptions; + } + + /** + */ + interface VocabularyTermFetchOptionsConstructor { + + new (): VocabularyTermFetchOptions; + } + + interface VocabularyTermPermId extends IVocabularyTermId, Serializable { + + getCode(): string; + + getVocabularyCode(): string; + } + + /** + */ + interface VocabularyTermPermIdConstructor { + + new (arg0: string, arg1: string): VocabularyTermPermId; + } + + interface VocabularyTermReplacement extends Serializable { + + getReplacedId(): IVocabularyTermId; + + getReplacementId(): IVocabularyTermId; + } + + /** + */ + interface VocabularyTermReplacementConstructor { + + new (arg0: IVocabularyTermId, arg1: IVocabularyTermId): VocabularyTermReplacement; + } + + interface VocabularyTermSearchCriteria extends AbstractObjectSearchCriteria<IVocabularyTermId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAndOperator(): VocabularyTermSearchCriteria; + + withCode(): CodeSearchCriteria; + + withCodes(): CodesSearchCriteria; + + withId(): IdSearchCriteria<IVocabularyTermId>; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withOrOperator(): VocabularyTermSearchCriteria; + + withPermId(): PermIdSearchCriteria; + + withVocabulary(): VocabularySearchCriteria; + } + + /** + */ + interface VocabularyTermSearchCriteriaConstructor { + + new (): VocabularyTermSearchCriteria; + } + + interface VocabularyTermSortOptions extends SortOptions<VocabularyTerm> { + + code(): SortOrder; + + getCode(): SortOrder; + + getOrdinal(): SortOrder; + + getSortings(): Sorting[]; + + ordinal(): SortOrder; + } + + /** + */ + interface VocabularyTermSortOptionsConstructor { + + new (): VocabularyTermSortOptions; + } + + interface VocabularyTermUpdate extends IUpdate, IObjectUpdate<IVocabularyTermId> { + + getDescription(): FieldUpdateValue<string>; + + getLabel(): FieldUpdateValue<string>; + + getObjectId(): IVocabularyTermId; + + getPreviousTermId(): FieldUpdateValue<IVocabularyTermId>; + + getVocabularyTermId(): IVocabularyTermId; + + isOfficial(): FieldUpdateValue<boolean>; + + setDescription(arg0: string): void; + + setLabel(arg0: string): void; + + setOfficial(arg0: boolean): void; + + setPreviousTermId(arg0: IVocabularyTermId): void; + + setVocabularyTermId(arg0: IVocabularyTermId): void; + } + + /** + */ + interface VocabularyTermUpdateConstructor { + + new (): VocabularyTermUpdate; + } + + interface VocabularyUpdate extends IUpdate, IObjectUpdate<IVocabularyId> { + + getChosenFromList(): FieldUpdateValue<boolean>; + + getDescription(): FieldUpdateValue<string>; + + getObjectId(): IVocabularyId; + + getUrlTemplate(): FieldUpdateValue<string>; + + getVocabularyId(): IVocabularyId; + + setChosenFromList(arg0: boolean): void; + + setDescription(arg0: string): void; + + setUrlTemplate(arg0: string): void; + + setVocabularyId(arg0: IVocabularyId): void; + } + + /** + */ + interface VocabularyUpdateConstructor { + + new (): VocabularyUpdate; + } + + interface WebAppSetting extends Serializable { + + getName(): string; + + getValue(): string; + + setName(arg0: string): void; + + setValue(arg0: string): void; + } + + /** + */ + interface WebAppSettingConstructor { + + new (): WebAppSetting; + + new (arg0: string, arg1: string): WebAppSetting; + } + + interface WebAppSettingCreation extends ICreation, IObjectCreation { + + getName(): string; + + getValue(): string; + + setName(arg0: string): void; + + setValue(arg0: string): void; + } + + /** + */ + interface WebAppSettingCreationConstructor { + + new (): WebAppSettingCreation; + + new (arg0: string, arg1: string): WebAppSettingCreation; + } + + interface WebAppSettings extends Serializable { + + getFetchOptions(): WebAppSettingsFetchOptions; + + getSetting(arg0: string): WebAppSetting; + + getSettings(): { [index: string]: WebAppSetting }; + + getWebAppId(): string; + + setFetchOptions(arg0: WebAppSettingsFetchOptions): void; + + setSettings(arg0: { [index: string]: WebAppSetting }): void; + + setWebAppId(arg0: string): void; + } + + /** + */ + interface WebAppSettingsConstructor { + + new (): WebAppSettings; + } + + interface WebAppSettingsFetchOptions extends FetchOptions<WebAppSettings>, Serializable { + + cacheMode(arg0: CacheMode): FetchOptions<WebAppSettings>; + + count(arg0: number): FetchOptions<WebAppSettings>; + + from(arg0: number): FetchOptions<WebAppSettings>; + + getCacheMode(): CacheMode; + + getCount(): number; + + getFrom(): number; + + getSettings(): string[]; + + getSortBy(): WebAppSettingsSortOptions; + + hasAllSettings(): boolean; + + hasSetting(arg0: string): boolean; + + sortBy(): WebAppSettingsSortOptions; + + withAllSettings(): void; + + withAllSettingsUsing(arg0: boolean): boolean; + + withSetting(arg0: string): void; + + withSettingsUsing(arg0: string[]): string[]; + } + + /** + */ + interface WebAppSettingsFetchOptionsConstructor { + + new (): WebAppSettingsFetchOptions; + } + + interface WebAppSettingsSortOptions extends SortOptions<WebAppSettings> { + + getSortings(): Sorting[]; + } + + /** + */ + interface WebAppSettingsSortOptionsConstructor { + + new (): WebAppSettingsSortOptions; + } + + interface WebAppSettingsUpdateValue extends ListUpdateValue<WebAppSettingCreation, string, WebAppSettingCreation, any> { + + add(arg0: WebAppSettingCreation[]): void; + + getActions(): ListUpdateAction<any>[]; + + getAdded(): WebAppSettingCreation[]; + + getRemoved(): string[]; + + getSet(): WebAppSettingCreation[]; + + hasActions(): boolean; + + remove(arg0: string[]): void; + + set(arg0: WebAppSettingCreation[]): void; + + setActions(arg0: ListUpdateAction<any>[]): void; + } + + /** + */ + interface WebAppSettingsUpdateValueConstructor { + + new (): WebAppSettingsUpdateValue; + } + + /** + */ + interface XlsTextFormatObject { + /** + */ + PLAIN: XlsTextFormat<> = "PLAIN"; + /** + */ + RICH: XlsTextFormat<> = "RICH"; + } + + interface ZipImportData extends Serializable, IImportData { + + getFile(): string; + + getFormat(): ImportFormat; + + setFile(arg0: string): void; + + setFormat(arg0: ImportFormat): void; + } + + /** + */ + interface ZipImportDataConstructor { + + new (): ZipImportData; + + new (arg0: ImportFormat, arg1: string): ZipImportData; + } + + interface as_dto_common_operation_IOperationResult extends Serializable { + + getMessage(): string; + } + + interface as_dto_dataset_search_ExternalDmsSearchCriteria extends AbstractObjectSearchCriteria<IExternalDmsId> { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAddress(): AddressSearchCriteria; + + withCode(): CodeSearchCriteria; + + withCodes(): CodesSearchCriteria; + + withId(): IdSearchCriteria<IExternalDmsId>; + + withLabel(): LabelSearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withType(): ExternalDmsTypeSearchCriteria; + } + + /** + */ + interface as_dto_dataset_search_ExternalDmsSearchCriteriaConstructor { + + new (): as_dto_dataset_search_ExternalDmsSearchCriteria; + } + + interface as_dto_externaldms_search_ExternalDmsSearchCriteria extends as_dto_dataset_search_ExternalDmsSearchCriteria { + + getCriteria(): ISearchCriteria[]; + + getOperator(): SearchOperator; + + isNegated(): boolean; + + setCriteria(arg0: ISearchCriteria[]): void; + + withAddress(): AddressSearchCriteria; + + withCode(): CodeSearchCriteria; + + withCodes(): CodesSearchCriteria; + + withId(): IdSearchCriteria<IExternalDmsId>; + + withLabel(): LabelSearchCriteria; + + withOperator(arg0: SearchOperator): AbstractCompositeSearchCriteria; + + withType(): ExternalDmsTypeSearchCriteria; + } + + /** + */ + interface as_dto_externaldms_search_ExternalDmsSearchCriteriaConstructor { + + new (): as_dto_externaldms_search_ExternalDmsSearchCriteria; + } + + interface as_dto_pat_search_PersonalAccessTokenSessionNameSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface as_dto_pat_search_PersonalAccessTokenSessionNameSearchCriteriaConstructor { + + new (): as_dto_pat_search_PersonalAccessTokenSessionNameSearchCriteria; + } + + interface as_dto_service_execute_AbstractExecutionOptionsWithParameters<EO extends as_dto_service_execute_AbstractExecutionOptionsWithParameters<EO, V>, V extends any> extends Serializable { + + getParameters(): { [index: string]: V }; + + withParameter(arg0: string, arg1: V): EO; + } + + /** + */ + interface as_dto_service_execute_AbstractExecutionOptionsWithParametersConstructor { + + new <EO extends as_dto_service_execute_AbstractExecutionOptionsWithParameters<EO, V>, V extends any>(): as_dto_service_execute_AbstractExecutionOptionsWithParameters<EO, V>; + } + + interface as_dto_session_search_PersonalAccessTokenSessionNameSearchCriteria extends StringFieldSearchCriteria { + + getFieldName(): string; + + getFieldType(): SearchFieldType; + + getFieldValue(): AbstractStringValue; + + isNegated(): boolean; + + isUseWildcards(): boolean; + + setFieldValue(arg0: AbstractStringValue): void; + + thatContains(arg0: string): void; + + thatEndsWith(arg0: string): void; + + thatEquals(arg0: string): void; + + thatIsGreaterThan(arg0: string): void; + + thatIsGreaterThanOrEqualTo(arg0: string): void; + + thatIsLessThan(arg0: string): void; + + thatIsLessThanOrEqualTo(arg0: string): void; + + thatStartsWith(arg0: string): void; + + withWildcards(): StringFieldSearchCriteria; + + withoutWildcards(): StringFieldSearchCriteria; + } + + /** + */ + interface as_dto_session_search_PersonalAccessTokenSessionNameSearchCriteriaConstructor { + + new (): as_dto_session_search_PersonalAccessTokenSessionNameSearchCriteria; + } + + interface bundle { + AbstractCompositeSearchCriteria: AbstractCompositeSearchCriteriaConstructor; + AbstractEntity: AbstractEntityConstructor; + AbstractEntityCreation: AbstractEntityCreationConstructor; + AbstractEntityFetchOptions: AbstractEntityFetchOptionsConstructor; + AbstractEntityPropertyHolder: AbstractEntityPropertyHolderConstructor; + AbstractEntitySearchCriteria: AbstractEntitySearchCriteriaConstructor; + AbstractEntityTypeSearchCriteria: AbstractEntityTypeSearchCriteriaConstructor; + AbstractEntityUpdate: AbstractEntityUpdateConstructor; + AbstractFieldSearchCriteria: AbstractFieldSearchCriteriaConstructor; + AbstractNumberValue: AbstractNumberValueConstructor; + AbstractObjectDeletionOptions: AbstractObjectDeletionOptionsConstructor; + AbstractObjectSearchCriteria: AbstractObjectSearchCriteriaConstructor; + AbstractOperationExecutionOptions: AbstractOperationExecutionOptionsConstructor; + AbstractSearchCriteria: AbstractSearchCriteriaConstructor; + AddressSearchCriteria: AddressSearchCriteriaConstructor; + AggregationService: AggregationServiceConstructor; + AggregationServiceExecutionOptions: AggregationServiceExecutionOptionsConstructor; + AggregationServiceFetchOptions: AggregationServiceFetchOptionsConstructor; + AggregationServiceSearchCriteria: AggregationServiceSearchCriteriaConstructor; + AggregationServiceSortOptions: AggregationServiceSortOptionsConstructor; + AllFields: AllFieldsConstructor; + AnyStringValue: AnyStringValueConstructor; + ArchiveDataSetsOperation: ArchiveDataSetsOperationConstructor; + ArchiveDataSetsOperationResult: ArchiveDataSetsOperationResultConstructor; + ArchivingRequestedSearchCriteria: ArchivingRequestedSearchCriteriaConstructor; + ArchivingStatus: ArchivingStatusObject; + AsynchronousOperationExecutionOptions: AsynchronousOperationExecutionOptionsConstructor; + AsynchronousOperationExecutionResults: AsynchronousOperationExecutionResultsConstructor; + Attachment: AttachmentConstructor; + AttachmentCreation: AttachmentCreationConstructor; + AttachmentFetchOptions: AttachmentFetchOptionsConstructor; + AttachmentFileName: AttachmentFileNameConstructor; + AttachmentListUpdateValue: AttachmentListUpdateValueConstructor; + AttachmentSortOptions: AttachmentSortOptionsConstructor; + Attribute: AttributeObject; + AuthorizationGroup: AuthorizationGroupConstructor; + AuthorizationGroupCreation: AuthorizationGroupCreationConstructor; + AuthorizationGroupDeletionOptions: AuthorizationGroupDeletionOptionsConstructor; + AuthorizationGroupFetchOptions: AuthorizationGroupFetchOptionsConstructor; + AuthorizationGroupPermId: AuthorizationGroupPermIdConstructor; + AuthorizationGroupSearchCriteria: AuthorizationGroupSearchCriteriaConstructor; + AuthorizationGroupSortOptions: AuthorizationGroupSortOptionsConstructor; + AuthorizationGroupUpdate: AuthorizationGroupUpdateConstructor; + BdsDirectoryStorageFormatPermId: BdsDirectoryStorageFormatPermIdConstructor; + CacheMode: CacheModeObject; + CodeSearchCriteria: CodeSearchCriteriaConstructor; + CodesSearchCriteria: CodesSearchCriteriaConstructor; + CollectionFieldSearchCriteria: CollectionFieldSearchCriteriaConstructor; + Complete: CompleteObject; + CompleteSearchCriteria: CompleteSearchCriteriaConstructor; + ConfirmDeletionsOperation: ConfirmDeletionsOperationConstructor; + ConfirmDeletionsOperationResult: ConfirmDeletionsOperationResultConstructor; + ContentCopy: ContentCopyConstructor; + ContentCopyCreation: ContentCopyCreationConstructor; + ContentCopyHistoryEntry: ContentCopyHistoryEntryConstructor; + ContentCopyListUpdateValue: ContentCopyListUpdateValueConstructor; + ContentCopyPermId: ContentCopyPermIdConstructor; + ContentCopySearchCriteria: ContentCopySearchCriteriaConstructor; + CreateAuthorizationGroupsOperation: CreateAuthorizationGroupsOperationConstructor; + CreateAuthorizationGroupsOperationResult: CreateAuthorizationGroupsOperationResultConstructor; + CreateCodesOperation: CreateCodesOperationConstructor; + CreateCodesOperationResult: CreateCodesOperationResultConstructor; + CreateDataSetTypesOperation: CreateDataSetTypesOperationConstructor; + CreateDataSetTypesOperationResult: CreateDataSetTypesOperationResultConstructor; + CreateDataSetUploadResult: CreateDataSetUploadResultConstructor; + CreateDataSetsOperation: CreateDataSetsOperationConstructor; + CreateDataSetsOperationResult: CreateDataSetsOperationResultConstructor; + CreateExperimentTypesOperation: CreateExperimentTypesOperationConstructor; + CreateExperimentTypesOperationResult: CreateExperimentTypesOperationResultConstructor; + CreateExperimentsOperation: CreateExperimentsOperationConstructor; + CreateExperimentsOperationResult: CreateExperimentsOperationResultConstructor; + CreateExternalDmsOperation: CreateExternalDmsOperationConstructor; + CreateExternalDmsOperationResult: CreateExternalDmsOperationResultConstructor; + CreateMaterialTypesOperation: CreateMaterialTypesOperationConstructor; + CreateMaterialTypesOperationResult: CreateMaterialTypesOperationResultConstructor; + CreateMaterialsOperation: CreateMaterialsOperationConstructor; + CreateMaterialsOperationResult: CreateMaterialsOperationResultConstructor; + CreateObjectsOperation: CreateObjectsOperationConstructor; + CreateObjectsOperationResult: CreateObjectsOperationResultConstructor; + CreatePermIdsOperation: CreatePermIdsOperationConstructor; + CreatePermIdsOperationResult: CreatePermIdsOperationResultConstructor; + CreatePersonalAccessTokensOperation: CreatePersonalAccessTokensOperationConstructor; + CreatePersonalAccessTokensOperationResult: CreatePersonalAccessTokensOperationResultConstructor; + CreatePersonsOperation: CreatePersonsOperationConstructor; + CreatePersonsOperationResult: CreatePersonsOperationResultConstructor; + CreatePluginsOperation: CreatePluginsOperationConstructor; + CreatePluginsOperationResult: CreatePluginsOperationResultConstructor; + CreateProjectsOperation: CreateProjectsOperationConstructor; + CreateProjectsOperationResult: CreateProjectsOperationResultConstructor; + CreatePropertyTypesOperation: CreatePropertyTypesOperationConstructor; + CreatePropertyTypesOperationResult: CreatePropertyTypesOperationResultConstructor; + CreateQueriesOperation: CreateQueriesOperationConstructor; + CreateQueriesOperationResult: CreateQueriesOperationResultConstructor; + CreateRoleAssignmentsOperation: CreateRoleAssignmentsOperationConstructor; + CreateRoleAssignmentsOperationResult: CreateRoleAssignmentsOperationResultConstructor; + CreateSampleTypesOperation: CreateSampleTypesOperationConstructor; + CreateSampleTypesOperationResult: CreateSampleTypesOperationResultConstructor; + CreateSamplesOperation: CreateSamplesOperationConstructor; + CreateSamplesOperationResult: CreateSamplesOperationResultConstructor; + CreateSemanticAnnotationsOperation: CreateSemanticAnnotationsOperationConstructor; + CreateSemanticAnnotationsOperationResult: CreateSemanticAnnotationsOperationResultConstructor; + CreateSpacesOperation: CreateSpacesOperationConstructor; + CreateSpacesOperationResult: CreateSpacesOperationResultConstructor; + CreateTagsOperation: CreateTagsOperationConstructor; + CreateTagsOperationResult: CreateTagsOperationResultConstructor; + CreateVocabulariesOperation: CreateVocabulariesOperationConstructor; + CreateVocabulariesOperationResult: CreateVocabulariesOperationResultConstructor; + CreateVocabularyTermsOperation: CreateVocabularyTermsOperationConstructor; + CreateVocabularyTermsOperationResult: CreateVocabularyTermsOperationResultConstructor; + CreationId: CreationIdConstructor; + CustomASService: CustomASServiceConstructor; + CustomASServiceCode: CustomASServiceCodeConstructor; + CustomASServiceExecutionOptions: CustomASServiceExecutionOptionsConstructor; + CustomASServiceFetchOptions: CustomASServiceFetchOptionsConstructor; + CustomASServiceSearchCriteria: CustomASServiceSearchCriteriaConstructor; + CustomASServiceSortOptions: CustomASServiceSortOptionsConstructor; + CustomDSSService: CustomDSSServiceConstructor; + CustomDSSServiceExecutionOptions: CustomDSSServiceExecutionOptionsConstructor; + CustomDSSServiceFetchOptions: CustomDSSServiceFetchOptionsConstructor; + CustomDSSServiceSortOptions: CustomDSSServiceSortOptionsConstructor; + CustomDssServiceCode: CustomDssServiceCodeConstructor; + DataSet: DataSetConstructor; + DataSetArchiveOptions: DataSetArchiveOptionsConstructor; + DataSetChildrenSearchCriteria: DataSetChildrenSearchCriteriaConstructor; + DataSetContainerSearchCriteria: DataSetContainerSearchCriteriaConstructor; + DataSetCreation: DataSetCreationConstructor; + DataSetDeletionOptions: DataSetDeletionOptionsConstructor; + DataSetFetchOptions: DataSetFetchOptionsConstructor; + DataSetFile: DataSetFileConstructor; + DataSetFileCreation: DataSetFileCreationConstructor; + DataSetFileFetchOptions: DataSetFileFetchOptionsConstructor; + DataSetFilePermId: DataSetFilePermIdConstructor; + DataSetFileSearchCriteria: DataSetFileSearchCriteriaConstructor; + DataSetFileSortOptions: DataSetFileSortOptionsConstructor; + DataSetKind: DataSetKindObject; + DataSetLockOptions: DataSetLockOptionsConstructor; + DataSetParentsSearchCriteria: DataSetParentsSearchCriteriaConstructor; + DataSetPermId: DataSetPermIdConstructor; + DataSetRelationType: DataSetRelationTypeObject; + DataSetSearchCriteria: DataSetSearchCriteriaConstructor; + DataSetSearchRelation: DataSetSearchRelationObject; + DataSetSortOptions: DataSetSortOptionsConstructor; + DataSetType: DataSetTypeConstructor; + DataSetTypeCreation: DataSetTypeCreationConstructor; + DataSetTypeDeletionOptions: DataSetTypeDeletionOptionsConstructor; + DataSetTypeFetchOptions: DataSetTypeFetchOptionsConstructor; + DataSetTypeSearchCriteria: DataSetTypeSearchCriteriaConstructor; + DataSetTypeSortOptions: DataSetTypeSortOptionsConstructor; + DataSetTypeUpdate: DataSetTypeUpdateConstructor; + DataSetUnarchiveOptions: DataSetUnarchiveOptionsConstructor; + DataSetUnlockOptions: DataSetUnlockOptionsConstructor; + DataSetUpdate: DataSetUpdateConstructor; + DataStore: DataStoreConstructor; + DataStoreFetchOptions: DataStoreFetchOptionsConstructor; + DataStorePermId: DataStorePermIdConstructor; + DataStoreSearchCriteria: DataStoreSearchCriteriaConstructor; + DataStoreSortOptions: DataStoreSortOptionsConstructor; + DataType: DataTypeObject; + DatabaseIdSearchCriteria: DatabaseIdSearchCriteriaConstructor; + DateEarlierThanOrEqualToValue: DateEarlierThanOrEqualToValueConstructor; + DateEarlierThanValue: DateEarlierThanValueConstructor; + DateEqualToValue: DateEqualToValueConstructor; + DateLaterThanOrEqualToValue: DateLaterThanOrEqualToValueConstructor; + DateLaterThanValue: DateLaterThanValueConstructor; + DateObjectEarlierThanOrEqualToValue: DateObjectEarlierThanOrEqualToValueConstructor; + DateObjectEarlierThanValue: DateObjectEarlierThanValueConstructor; + DateObjectEqualToValue: DateObjectEqualToValueConstructor; + DateObjectLaterThanOrEqualToValue: DateObjectLaterThanOrEqualToValueConstructor; + DateObjectLaterThanValue: DateObjectLaterThanValueConstructor; + DeleteAuthorizationGroupsOperation: DeleteAuthorizationGroupsOperationConstructor; + DeleteAuthorizationGroupsOperationResult: DeleteAuthorizationGroupsOperationResultConstructor; + DeleteDataSetTypesOperation: DeleteDataSetTypesOperationConstructor; + DeleteDataSetTypesOperationResult: DeleteDataSetTypesOperationResultConstructor; + DeleteDataSetsOperation: DeleteDataSetsOperationConstructor; + DeleteDataSetsOperationResult: DeleteDataSetsOperationResultConstructor; + DeleteExperimentTypesOperation: DeleteExperimentTypesOperationConstructor; + DeleteExperimentTypesOperationResult: DeleteExperimentTypesOperationResultConstructor; + DeleteExperimentsOperation: DeleteExperimentsOperationConstructor; + DeleteExperimentsOperationResult: DeleteExperimentsOperationResultConstructor; + DeleteExternalDmsOperation: DeleteExternalDmsOperationConstructor; + DeleteExternalDmsOperationResult: DeleteExternalDmsOperationResultConstructor; + DeleteMaterialTypesOperation: DeleteMaterialTypesOperationConstructor; + DeleteMaterialTypesOperationResult: DeleteMaterialTypesOperationResultConstructor; + DeleteMaterialsOperation: DeleteMaterialsOperationConstructor; + DeleteMaterialsOperationResult: DeleteMaterialsOperationResultConstructor; + DeleteObjectsOperation: DeleteObjectsOperationConstructor; + DeleteObjectsOperationResult: DeleteObjectsOperationResultConstructor; + DeleteObjectsWithTrashOperationResult: DeleteObjectsWithTrashOperationResultConstructor; + DeleteObjectsWithoutTrashOperationResult: DeleteObjectsWithoutTrashOperationResultConstructor; + DeleteOperationExecutionsOperation: DeleteOperationExecutionsOperationConstructor; + DeleteOperationExecutionsOperationResult: DeleteOperationExecutionsOperationResultConstructor; + DeletePersonalAccessTokensOperation: DeletePersonalAccessTokensOperationConstructor; + DeletePersonalAccessTokensOperationResult: DeletePersonalAccessTokensOperationResultConstructor; + DeletePersonsOperation: DeletePersonsOperationConstructor; + DeletePersonsOperationResult: DeletePersonsOperationResultConstructor; + DeletePluginsOperation: DeletePluginsOperationConstructor; + DeletePluginsOperationResult: DeletePluginsOperationResultConstructor; + DeleteProjectsOperation: DeleteProjectsOperationConstructor; + DeleteProjectsOperationResult: DeleteProjectsOperationResultConstructor; + DeletePropertyTypesOperation: DeletePropertyTypesOperationConstructor; + DeletePropertyTypesOperationResult: DeletePropertyTypesOperationResultConstructor; + DeleteQueriesOperation: DeleteQueriesOperationConstructor; + DeleteQueriesOperationResult: DeleteQueriesOperationResultConstructor; + DeleteRoleAssignmentsOperation: DeleteRoleAssignmentsOperationConstructor; + DeleteRoleAssignmentsOperationResult: DeleteRoleAssignmentsOperationResultConstructor; + DeleteSampleTypesOperation: DeleteSampleTypesOperationConstructor; + DeleteSampleTypesOperationResult: DeleteSampleTypesOperationResultConstructor; + DeleteSamplesOperation: DeleteSamplesOperationConstructor; + DeleteSamplesOperationResult: DeleteSamplesOperationResultConstructor; + DeleteSemanticAnnotationsOperation: DeleteSemanticAnnotationsOperationConstructor; + DeleteSemanticAnnotationsOperationResult: DeleteSemanticAnnotationsOperationResultConstructor; + DeleteSpacesOperation: DeleteSpacesOperationConstructor; + DeleteSpacesOperationResult: DeleteSpacesOperationResultConstructor; + DeleteTagsOperation: DeleteTagsOperationConstructor; + DeleteTagsOperationResult: DeleteTagsOperationResultConstructor; + DeleteVocabulariesOperation: DeleteVocabulariesOperationConstructor; + DeleteVocabulariesOperationResult: DeleteVocabulariesOperationResultConstructor; + DeleteVocabularyTermsOperation: DeleteVocabularyTermsOperationConstructor; + DeleteVocabularyTermsOperationResult: DeleteVocabularyTermsOperationResultConstructor; + DeletedObject: DeletedObjectConstructor; + DeletedObjectFetchOptions: DeletedObjectFetchOptionsConstructor; + Deletion: DeletionConstructor; + DeletionFetchOptions: DeletionFetchOptionsConstructor; + DeletionSearchCriteria: DeletionSearchCriteriaConstructor; + DeletionSortOptions: DeletionSortOptionsConstructor; + DeletionTechId: DeletionTechIdConstructor; + DescriptionSearchCriteria: DescriptionSearchCriteriaConstructor; + DescriptorAccessionIdSearchCriteria: DescriptorAccessionIdSearchCriteriaConstructor; + DescriptorOntologyIdSearchCriteria: DescriptorOntologyIdSearchCriteriaConstructor; + DescriptorOntologyVersionSearchCriteria: DescriptorOntologyVersionSearchCriteriaConstructor; + DssServicePermId: DssServicePermIdConstructor; + DynamicPropertyPluginEvaluationOptions: DynamicPropertyPluginEvaluationOptionsConstructor; + DynamicPropertyPluginEvaluationResult: DynamicPropertyPluginEvaluationResultConstructor; + EmailSearchCriteria: EmailSearchCriteriaConstructor; + EmptyFetchOptions: EmptyFetchOptionsConstructor; + EntityKind: EntityKindObject; + EntityKindSearchCriteria: EntityKindSearchCriteriaConstructor; + EntitySortOptions: EntitySortOptionsConstructor; + EntityType: EntityTypeObject; + EntityTypeCodePatternSearchCriteria: EntityTypeCodePatternSearchCriteriaConstructor; + EntityTypeFetchOptions: EntityTypeFetchOptionsConstructor; + EntityTypePermId: EntityTypePermIdConstructor; + EntityTypeSearchCriteria: EntityTypeSearchCriteriaConstructor; + EntityTypeSortOptions: EntityTypeSortOptionsConstructor; + EntityValidationPluginEvaluationOptions: EntityValidationPluginEvaluationOptionsConstructor; + EntityValidationPluginEvaluationResult: EntityValidationPluginEvaluationResultConstructor; + EntityWithPropertiesSortOptions: EntityWithPropertiesSortOptionsConstructor; + EvaluatePluginOperation: EvaluatePluginOperationConstructor; + EvaluatePluginOperationResult: EvaluatePluginOperationResultConstructor; + Event: EventConstructor; + EventDescriptionSearchCriteria: EventDescriptionSearchCriteriaConstructor; + EventEntityProjectIdSearchCriteria: EventEntityProjectIdSearchCriteriaConstructor; + EventEntityProjectSearchCriteria: EventEntityProjectSearchCriteriaConstructor; + EventEntityRegistrationDateSearchCriteria: EventEntityRegistrationDateSearchCriteriaConstructor; + EventEntityRegistratorSearchCriteria: EventEntityRegistratorSearchCriteriaConstructor; + EventEntitySpaceIdSearchCriteria: EventEntitySpaceIdSearchCriteriaConstructor; + EventEntitySpaceSearchCriteria: EventEntitySpaceSearchCriteriaConstructor; + EventEntityTypeSearchCriteria: EventEntityTypeSearchCriteriaConstructor; + EventFetchOptions: EventFetchOptionsConstructor; + EventIdentifierSearchCriteria: EventIdentifierSearchCriteriaConstructor; + EventReasonSearchCriteria: EventReasonSearchCriteriaConstructor; + EventSearchCriteria: EventSearchCriteriaConstructor; + EventSortOptions: EventSortOptionsConstructor; + EventTechId: EventTechIdConstructor; + EventType: EventTypeObject; + EventTypeSearchCriteria: EventTypeSearchCriteriaConstructor; + ExecuteAggregationServiceOperation: ExecuteAggregationServiceOperationConstructor; + ExecuteAggregationServiceOperationResult: ExecuteAggregationServiceOperationResultConstructor; + ExecuteCustomASServiceOperation: ExecuteCustomASServiceOperationConstructor; + ExecuteCustomASServiceOperationResult: ExecuteCustomASServiceOperationResultConstructor; + ExecuteCustomDSSServiceOperationResult: ExecuteCustomDSSServiceOperationResultConstructor; + ExecuteProcessingServiceOperation: ExecuteProcessingServiceOperationConstructor; + ExecuteProcessingServiceOperationResult: ExecuteProcessingServiceOperationResultConstructor; + ExecuteQueryOperation: ExecuteQueryOperationConstructor; + ExecuteQueryOperationResult: ExecuteQueryOperationResultConstructor; + ExecuteReportingServiceOperation: ExecuteReportingServiceOperationConstructor; + ExecuteReportingServiceOperationResult: ExecuteReportingServiceOperationResultConstructor; + ExecuteSearchDomainServiceOperation: ExecuteSearchDomainServiceOperationConstructor; + ExecuteSearchDomainServiceOperationResult: ExecuteSearchDomainServiceOperationResultConstructor; + ExecuteSqlOperation: ExecuteSqlOperationConstructor; + ExecuteSqlOperationResult: ExecuteSqlOperationResultConstructor; + Experiment: ExperimentConstructor; + ExperimentCreation: ExperimentCreationConstructor; + ExperimentDeletionOptions: ExperimentDeletionOptionsConstructor; + ExperimentFetchOptions: ExperimentFetchOptionsConstructor; + ExperimentIdentifier: ExperimentIdentifierConstructor; + ExperimentPermId: ExperimentPermIdConstructor; + ExperimentRelationType: ExperimentRelationTypeObject; + ExperimentSearchCriteria: ExperimentSearchCriteriaConstructor; + ExperimentSortOptions: ExperimentSortOptionsConstructor; + ExperimentType: ExperimentTypeConstructor; + ExperimentTypeCreation: ExperimentTypeCreationConstructor; + ExperimentTypeDeletionOptions: ExperimentTypeDeletionOptionsConstructor; + ExperimentTypeFetchOptions: ExperimentTypeFetchOptionsConstructor; + ExperimentTypeSearchCriteria: ExperimentTypeSearchCriteriaConstructor; + ExperimentTypeSortOptions: ExperimentTypeSortOptionsConstructor; + ExperimentTypeUpdate: ExperimentTypeUpdateConstructor; + ExperimentUpdate: ExperimentUpdateConstructor; + ExportData: ExportDataConstructor; + ExportFormat: ExportFormatObject; + ExportOperation: ExportOperationConstructor; + ExportOperationResult: ExportOperationResultConstructor; + ExportOptions: ExportOptionsConstructor; + ExportResult: ExportResultConstructor; + ExportableKind: ExportableKindObject; + ExportablePermId: ExportablePermIdConstructor; + ExternalCodeSearchCriteria: ExternalCodeSearchCriteriaConstructor; + ExternalDms: ExternalDmsConstructor; + ExternalDmsAddressType: ExternalDmsAddressTypeObject; + ExternalDmsCreation: ExternalDmsCreationConstructor; + ExternalDmsDeletionOptions: ExternalDmsDeletionOptionsConstructor; + ExternalDmsFetchOptions: ExternalDmsFetchOptionsConstructor; + ExternalDmsPermId: ExternalDmsPermIdConstructor; + ExternalDmsSortOptions: ExternalDmsSortOptionsConstructor; + ExternalDmsTypeSearchCriteria: ExternalDmsTypeSearchCriteriaConstructor; + ExternalDmsUpdate: ExternalDmsUpdateConstructor; + FastDownloadSession: FastDownloadSessionConstructor; + FastDownloadSessionOptions: FastDownloadSessionOptionsConstructor; + FetchOptions: FetchOptionsConstructor; + FieldUpdateValue: FieldUpdateValueConstructor; + FileFormatType: FileFormatTypeConstructor; + FileFormatTypeFetchOptions: FileFormatTypeFetchOptionsConstructor; + FileFormatTypePermId: FileFormatTypePermIdConstructor; + FileFormatTypeSearchCriteria: FileFormatTypeSearchCriteriaConstructor; + FileFormatTypeSortOptions: FileFormatTypeSortOptionsConstructor; + FirstNameSearchCriteria: FirstNameSearchCriteriaConstructor; + FullDataSetCreation: FullDataSetCreationConstructor; + GetAuthorizationGroupsOperation: GetAuthorizationGroupsOperationConstructor; + GetAuthorizationGroupsOperationResult: GetAuthorizationGroupsOperationResultConstructor; + GetDataSetTypesOperation: GetDataSetTypesOperationConstructor; + GetDataSetTypesOperationResult: GetDataSetTypesOperationResultConstructor; + GetDataSetsOperation: GetDataSetsOperationConstructor; + GetDataSetsOperationResult: GetDataSetsOperationResultConstructor; + GetExperimentTypesOperation: GetExperimentTypesOperationConstructor; + GetExperimentTypesOperationResult: GetExperimentTypesOperationResultConstructor; + GetExperimentsOperation: GetExperimentsOperationConstructor; + GetExperimentsOperationResult: GetExperimentsOperationResultConstructor; + GetExternalDmsOperation: GetExternalDmsOperationConstructor; + GetExternalDmsOperationResult: GetExternalDmsOperationResultConstructor; + GetMaterialTypesOperation: GetMaterialTypesOperationConstructor; + GetMaterialTypesOperationResult: GetMaterialTypesOperationResultConstructor; + GetMaterialsOperation: GetMaterialsOperationConstructor; + GetMaterialsOperationResult: GetMaterialsOperationResultConstructor; + GetObjectsOperation: GetObjectsOperationConstructor; + GetObjectsOperationResult: GetObjectsOperationResultConstructor; + GetOperationExecutionsOperation: GetOperationExecutionsOperationConstructor; + GetOperationExecutionsOperationResult: GetOperationExecutionsOperationResultConstructor; + GetPersonalAccessTokensOperation: GetPersonalAccessTokensOperationConstructor; + GetPersonalAccessTokensOperationResult: GetPersonalAccessTokensOperationResultConstructor; + GetPersonsOperation: GetPersonsOperationConstructor; + GetPersonsOperationResult: GetPersonsOperationResultConstructor; + GetPluginsOperation: GetPluginsOperationConstructor; + GetPluginsOperationResult: GetPluginsOperationResultConstructor; + GetProjectsOperation: GetProjectsOperationConstructor; + GetProjectsOperationResult: GetProjectsOperationResultConstructor; + GetPropertyTypesOperation: GetPropertyTypesOperationConstructor; + GetPropertyTypesOperationResult: GetPropertyTypesOperationResultConstructor; + GetQueriesOperation: GetQueriesOperationConstructor; + GetQueriesOperationResult: GetQueriesOperationResultConstructor; + GetQueryDatabasesOperation: GetQueryDatabasesOperationConstructor; + GetQueryDatabasesOperationResult: GetQueryDatabasesOperationResultConstructor; + GetRightsOperation: GetRightsOperationConstructor; + GetRightsOperationResult: GetRightsOperationResultConstructor; + GetRoleAssignmentsOperation: GetRoleAssignmentsOperationConstructor; + GetRoleAssignmentsOperationResult: GetRoleAssignmentsOperationResultConstructor; + GetSampleTypesOperation: GetSampleTypesOperationConstructor; + GetSampleTypesOperationResult: GetSampleTypesOperationResultConstructor; + GetSamplesOperation: GetSamplesOperationConstructor; + GetSamplesOperationResult: GetSamplesOperationResultConstructor; + GetSemanticAnnotationsOperation: GetSemanticAnnotationsOperationConstructor; + GetSemanticAnnotationsOperationResult: GetSemanticAnnotationsOperationResultConstructor; + GetServerInformationOperation: GetServerInformationOperationConstructor; + GetServerInformationOperationResult: GetServerInformationOperationResultConstructor; + GetServerPublicInformationOperation: GetServerPublicInformationOperationConstructor; + GetServerPublicInformationOperationResult: GetServerPublicInformationOperationResultConstructor; + GetSessionInformationOperation: GetSessionInformationOperationConstructor; + GetSessionInformationOperationResult: GetSessionInformationOperationResultConstructor; + GetSpacesOperation: GetSpacesOperationConstructor; + GetSpacesOperationResult: GetSpacesOperationResultConstructor; + GetTagsOperation: GetTagsOperationConstructor; + GetTagsOperationResult: GetTagsOperationResultConstructor; + GetVocabulariesOperation: GetVocabulariesOperationConstructor; + GetVocabulariesOperationResult: GetVocabulariesOperationResultConstructor; + GetVocabularyTermsOperation: GetVocabularyTermsOperationConstructor; + GetVocabularyTermsOperationResult: GetVocabularyTermsOperationResultConstructor; + GitCommitHashSearchCriteria: GitCommitHashSearchCriteriaConstructor; + GitRepositoryIdSearchCriteria: GitRepositoryIdSearchCriteriaConstructor; + GlobalSearchCriteria: GlobalSearchCriteriaConstructor; + GlobalSearchObject: GlobalSearchObjectConstructor; + GlobalSearchObjectFetchOptions: GlobalSearchObjectFetchOptionsConstructor; + GlobalSearchObjectKind: GlobalSearchObjectKindObject; + GlobalSearchObjectKindCriteria: GlobalSearchObjectKindCriteriaConstructor; + GlobalSearchObjectSortOptions: GlobalSearchObjectSortOptionsConstructor; + GlobalSearchTextCriteria: GlobalSearchTextCriteriaConstructor; + GlobalSearchWildCardsCriteria: GlobalSearchWildCardsCriteriaConstructor; + HistoryEntry: HistoryEntryConstructor; + HistoryEntryFetchOptions: HistoryEntryFetchOptionsConstructor; + HistoryEntrySortOptions: HistoryEntrySortOptionsConstructor; + IdListUpdateValue: IdListUpdateValueConstructor; + IdSearchCriteria: IdSearchCriteriaConstructor; + IdentifierSearchCriteria: IdentifierSearchCriteriaConstructor; + IdsSearchCriteria: IdsSearchCriteriaConstructor; + ImportFormat: ImportFormatObject; + ImportMode: ImportModeObject; + ImportOperation: ImportOperationConstructor; + ImportOperationResult: ImportOperationResultConstructor; + ImportOptions: ImportOptionsConstructor; + ImportScript: ImportScriptConstructor; + ImportValue: ImportValueConstructor; + LabelSearchCriteria: LabelSearchCriteriaConstructor; + LastNameSearchCriteria: LastNameSearchCriteriaConstructor; + LinkedData: LinkedDataConstructor; + LinkedDataCreation: LinkedDataCreationConstructor; + LinkedDataFetchOptions: LinkedDataFetchOptionsConstructor; + LinkedDataSearchCriteria: LinkedDataSearchCriteriaConstructor; + LinkedDataSortOptions: LinkedDataSortOptionsConstructor; + LinkedDataUpdate: LinkedDataUpdateConstructor; + ListUpdateAction: ListUpdateActionConstructor; + ListUpdateActionAdd: ListUpdateActionAddConstructor; + ListUpdateActionRemove: ListUpdateActionRemoveConstructor; + ListUpdateActionSet: ListUpdateActionSetConstructor; + ListUpdateMapValues: ListUpdateMapValuesConstructor; + ListUpdateValue: ListUpdateValueConstructor; + ListableSampleTypeSearchCriteria: ListableSampleTypeSearchCriteriaConstructor; + LocationSearchCriteria: LocationSearchCriteriaConstructor; + LocatorType: LocatorTypeConstructor; + LocatorTypeFetchOptions: LocatorTypeFetchOptionsConstructor; + LocatorTypePermId: LocatorTypePermIdConstructor; + LocatorTypeSearchCriteria: LocatorTypeSearchCriteriaConstructor; + LocatorTypeSortOptions: LocatorTypeSortOptionsConstructor; + LockDataSetsOperation: LockDataSetsOperationConstructor; + LockDataSetsOperationResult: LockDataSetsOperationResultConstructor; + LongDateFormat: LongDateFormatConstructor; + MatchFetchOptions: MatchFetchOptionsConstructor; + Material: MaterialConstructor; + MaterialCreation: MaterialCreationConstructor; + MaterialDeletionOptions: MaterialDeletionOptionsConstructor; + MaterialFetchOptions: MaterialFetchOptionsConstructor; + MaterialPermId: MaterialPermIdConstructor; + MaterialSearchCriteria: MaterialSearchCriteriaConstructor; + MaterialSortOptions: MaterialSortOptionsConstructor; + MaterialType: MaterialTypeConstructor; + MaterialTypeCreation: MaterialTypeCreationConstructor; + MaterialTypeDeletionOptions: MaterialTypeDeletionOptionsConstructor; + MaterialTypeFetchOptions: MaterialTypeFetchOptionsConstructor; + MaterialTypeSearchCriteria: MaterialTypeSearchCriteriaConstructor; + MaterialTypeSortOptions: MaterialTypeSortOptionsConstructor; + MaterialTypeUpdate: MaterialTypeUpdateConstructor; + MaterialUpdate: MaterialUpdateConstructor; + Me: MeConstructor; + ModifierSearchCriteria: ModifierSearchCriteriaConstructor; + NameSearchCriteria: NameSearchCriteriaConstructor; + NoExperimentSearchCriteria: NoExperimentSearchCriteriaConstructor; + NoProjectSearchCriteria: NoProjectSearchCriteriaConstructor; + NoSampleContainerSearchCriteria: NoSampleContainerSearchCriteriaConstructor; + NoSampleSearchCriteria: NoSampleSearchCriteriaConstructor; + NoSpaceSearchCriteria: NoSpaceSearchCriteriaConstructor; + NormalDateFormat: NormalDateFormatConstructor; + NumberEqualToValue: NumberEqualToValueConstructor; + NumberGreaterThanOrEqualToValue: NumberGreaterThanOrEqualToValueConstructor; + NumberGreaterThanValue: NumberGreaterThanValueConstructor; + NumberLessThanOrEqualToValue: NumberLessThanOrEqualToValueConstructor; + NumberLessThanValue: NumberLessThanValueConstructor; + ObjectIdentifier: ObjectIdentifierConstructor; + ObjectKind: ObjectKindObject; + ObjectKindCriteria: ObjectKindCriteriaConstructor; + ObjectKindModification: ObjectKindModificationConstructor; + ObjectKindModificationFetchOptions: ObjectKindModificationFetchOptionsConstructor; + ObjectKindModificationSearchCriteria: ObjectKindModificationSearchCriteriaConstructor; + ObjectKindModificationSortOptions: ObjectKindModificationSortOptionsConstructor; + ObjectPermId: ObjectPermIdConstructor; + ObjectTechId: ObjectTechIdConstructor; + OpenBISJavaScriptFacade: OpenBISJavaScriptFacadeConstructor; + OperationExecution: OperationExecutionConstructor; + OperationExecutionAvailability: OperationExecutionAvailabilityObject; + OperationExecutionDeletionOptions: OperationExecutionDeletionOptionsConstructor; + OperationExecutionDetails: OperationExecutionDetailsConstructor; + OperationExecutionDetailsFetchOptions: OperationExecutionDetailsFetchOptionsConstructor; + OperationExecutionDetailsSortOptions: OperationExecutionDetailsSortOptionsConstructor; + OperationExecutionEmailNotification: OperationExecutionEmailNotificationConstructor; + OperationExecutionError: OperationExecutionErrorConstructor; + OperationExecutionFetchOptions: OperationExecutionFetchOptionsConstructor; + OperationExecutionNotificationFetchOptions: OperationExecutionNotificationFetchOptionsConstructor; + OperationExecutionNotificationSortOptions: OperationExecutionNotificationSortOptionsConstructor; + OperationExecutionPermId: OperationExecutionPermIdConstructor; + OperationExecutionProgress: OperationExecutionProgressConstructor; + OperationExecutionSearchCriteria: OperationExecutionSearchCriteriaConstructor; + OperationExecutionSortOptions: OperationExecutionSortOptionsConstructor; + OperationExecutionState: OperationExecutionStateObject; + OperationExecutionSummary: OperationExecutionSummaryConstructor; + OperationExecutionSummaryFetchOptions: OperationExecutionSummaryFetchOptionsConstructor; + OperationExecutionSummarySortOptions: OperationExecutionSummarySortOptionsConstructor; + OperationExecutionUpdate: OperationExecutionUpdateConstructor; + OperationKind: OperationKindObject; + OperationKindCriteria: OperationKindCriteriaConstructor; + PathSearchCriteria: PathSearchCriteriaConstructor; + PermIdSearchCriteria: PermIdSearchCriteriaConstructor; + Person: PersonConstructor; + PersonCreation: PersonCreationConstructor; + PersonDeletionOptions: PersonDeletionOptionsConstructor; + PersonFetchOptions: PersonFetchOptionsConstructor; + PersonPermId: PersonPermIdConstructor; + PersonSearchCriteria: PersonSearchCriteriaConstructor; + PersonSortOptions: PersonSortOptionsConstructor; + PersonUpdate: PersonUpdateConstructor; + PersonalAccessToken: PersonalAccessTokenConstructor; + PersonalAccessTokenCreation: PersonalAccessTokenCreationConstructor; + PersonalAccessTokenDeletionOptions: PersonalAccessTokenDeletionOptionsConstructor; + PersonalAccessTokenFetchOptions: PersonalAccessTokenFetchOptionsConstructor; + PersonalAccessTokenOwnerSearchCriteria: PersonalAccessTokenOwnerSearchCriteriaConstructor; + PersonalAccessTokenPermId: PersonalAccessTokenPermIdConstructor; + PersonalAccessTokenSearchCriteria: PersonalAccessTokenSearchCriteriaConstructor; + PersonalAccessTokenSessionSearchCriteria: PersonalAccessTokenSessionSearchCriteriaConstructor; + PersonalAccessTokenSortOptions: PersonalAccessTokenSortOptionsConstructor; + PersonalAccessTokenUpdate: PersonalAccessTokenUpdateConstructor; + PhysicalData: PhysicalDataConstructor; + PhysicalDataCreation: PhysicalDataCreationConstructor; + PhysicalDataFetchOptions: PhysicalDataFetchOptionsConstructor; + PhysicalDataSearchCriteria: PhysicalDataSearchCriteriaConstructor; + PhysicalDataSortOptions: PhysicalDataSortOptionsConstructor; + PhysicalDataUpdate: PhysicalDataUpdateConstructor; + Plugin: PluginConstructor; + PluginCreation: PluginCreationConstructor; + PluginDeletionOptions: PluginDeletionOptionsConstructor; + PluginEvaluationOptions: PluginEvaluationOptionsConstructor; + PluginEvaluationResult: PluginEvaluationResultConstructor; + PluginFetchOptions: PluginFetchOptionsConstructor; + PluginKind: PluginKindObject; + PluginKindSearchCriteria: PluginKindSearchCriteriaConstructor; + PluginPermId: PluginPermIdConstructor; + PluginSearchCriteria: PluginSearchCriteriaConstructor; + PluginSortOptions: PluginSortOptionsConstructor; + PluginType: PluginTypeObject; + PluginTypeSearchCriteria: PluginTypeSearchCriteriaConstructor; + PluginUpdate: PluginUpdateConstructor; + PredicateAccessionIdSearchCriteria: PredicateAccessionIdSearchCriteriaConstructor; + PredicateOntologyIdSearchCriteria: PredicateOntologyIdSearchCriteriaConstructor; + PredicateOntologyVersionSearchCriteria: PredicateOntologyVersionSearchCriteriaConstructor; + PresentInArchiveSearchCriteria: PresentInArchiveSearchCriteriaConstructor; + ProcessingService: ProcessingServiceConstructor; + ProcessingServiceExecutionOptions: ProcessingServiceExecutionOptionsConstructor; + ProcessingServiceFetchOptions: ProcessingServiceFetchOptionsConstructor; + ProcessingServiceSearchCriteria: ProcessingServiceSearchCriteriaConstructor; + ProcessingServiceSortOptions: ProcessingServiceSortOptionsConstructor; + Project: ProjectConstructor; + ProjectCreation: ProjectCreationConstructor; + ProjectDeletionOptions: ProjectDeletionOptionsConstructor; + ProjectFetchOptions: ProjectFetchOptionsConstructor; + ProjectIdentifier: ProjectIdentifierConstructor; + ProjectPermId: ProjectPermIdConstructor; + ProjectRelationType: ProjectRelationTypeObject; + ProjectSearchCriteria: ProjectSearchCriteriaConstructor; + ProjectSortOptions: ProjectSortOptionsConstructor; + ProjectUpdate: ProjectUpdateConstructor; + PropertyAssignment: PropertyAssignmentConstructor; + PropertyAssignmentCreation: PropertyAssignmentCreationConstructor; + PropertyAssignmentFetchOptions: PropertyAssignmentFetchOptionsConstructor; + PropertyAssignmentListUpdateValue: PropertyAssignmentListUpdateValueConstructor; + PropertyAssignmentPermId: PropertyAssignmentPermIdConstructor; + PropertyAssignmentSearchCriteria: PropertyAssignmentSearchCriteriaConstructor; + PropertyAssignmentSortOptions: PropertyAssignmentSortOptionsConstructor; + PropertyFetchOptions: PropertyFetchOptionsConstructor; + PropertyHistoryEntry: PropertyHistoryEntryConstructor; + PropertyType: PropertyTypeConstructor; + PropertyTypeCreation: PropertyTypeCreationConstructor; + PropertyTypeDeletionOptions: PropertyTypeDeletionOptionsConstructor; + PropertyTypeFetchOptions: PropertyTypeFetchOptionsConstructor; + PropertyTypePermId: PropertyTypePermIdConstructor; + PropertyTypeSearchCriteria: PropertyTypeSearchCriteriaConstructor; + PropertyTypeSortOptions: PropertyTypeSortOptionsConstructor; + PropertyTypeUpdate: PropertyTypeUpdateConstructor; + ProprietaryStorageFormatPermId: ProprietaryStorageFormatPermIdConstructor; + Query: QueryConstructor; + QueryCreation: QueryCreationConstructor; + QueryDatabase: QueryDatabaseConstructor; + QueryDatabaseFetchOptions: QueryDatabaseFetchOptionsConstructor; + QueryDatabaseName: QueryDatabaseNameConstructor; + QueryDatabaseSearchCriteria: QueryDatabaseSearchCriteriaConstructor; + QueryDatabaseSortOptions: QueryDatabaseSortOptionsConstructor; + QueryDeletionOptions: QueryDeletionOptionsConstructor; + QueryExecutionOptions: QueryExecutionOptionsConstructor; + QueryFetchOptions: QueryFetchOptionsConstructor; + QueryName: QueryNameConstructor; + QuerySearchCriteria: QuerySearchCriteriaConstructor; + QuerySortOptions: QuerySortOptionsConstructor; + QueryTechId: QueryTechIdConstructor; + QueryType: QueryTypeObject; + QueryTypeSearchCriteria: QueryTypeSearchCriteriaConstructor; + QueryUpdate: QueryUpdateConstructor; + RegistrationDateSearchCriteria: RegistrationDateSearchCriteriaConstructor; + RegistratorSearchCriteria: RegistratorSearchCriteriaConstructor; + RelationHistoryEntry: RelationHistoryEntryConstructor; + Relationship: RelationshipConstructor; + RelationshipUpdate: RelationshipUpdateConstructor; + RelativeLocationLocatorTypePermId: RelativeLocationLocatorTypePermIdConstructor; + ReportingService: ReportingServiceConstructor; + ReportingServiceExecutionOptions: ReportingServiceExecutionOptionsConstructor; + ReportingServiceFetchOptions: ReportingServiceFetchOptionsConstructor; + ReportingServiceSearchCriteria: ReportingServiceSearchCriteriaConstructor; + ReportingServiceSortOptions: ReportingServiceSortOptionsConstructor; + RevertDeletionsOperation: RevertDeletionsOperationConstructor; + RevertDeletionsOperationResult: RevertDeletionsOperationResultConstructor; + Right: RightObject; + Rights: RightsConstructor; + RightsFetchOptions: RightsFetchOptionsConstructor; + Role: RoleObject; + RoleAssignment: RoleAssignmentConstructor; + RoleAssignmentCreation: RoleAssignmentCreationConstructor; + RoleAssignmentDeletionOptions: RoleAssignmentDeletionOptionsConstructor; + RoleAssignmentFetchOptions: RoleAssignmentFetchOptionsConstructor; + RoleAssignmentSearchCriteria: RoleAssignmentSearchCriteriaConstructor; + RoleAssignmentSortOptions: RoleAssignmentSortOptionsConstructor; + RoleAssignmentTechId: RoleAssignmentTechIdConstructor; + RoleLevel: RoleLevelObject; + Sample: SampleConstructor; + SampleChildrenSearchCriteria: SampleChildrenSearchCriteriaConstructor; + SampleContainerSearchCriteria: SampleContainerSearchCriteriaConstructor; + SampleCreation: SampleCreationConstructor; + SampleDeletionOptions: SampleDeletionOptionsConstructor; + SampleFetchOptions: SampleFetchOptionsConstructor; + SampleIdentifier: SampleIdentifierConstructor; + SampleParentsSearchCriteria: SampleParentsSearchCriteriaConstructor; + SamplePermId: SamplePermIdConstructor; + SamplePropertySearchCriteria: SamplePropertySearchCriteriaConstructor; + SampleRelationType: SampleRelationTypeObject; + SampleSearchCriteria: SampleSearchCriteriaConstructor; + SampleSearchRelation: SampleSearchRelationObject; + SampleSortOptions: SampleSortOptionsConstructor; + SampleType: SampleTypeConstructor; + SampleTypeCreation: SampleTypeCreationConstructor; + SampleTypeDeletionOptions: SampleTypeDeletionOptionsConstructor; + SampleTypeFetchOptions: SampleTypeFetchOptionsConstructor; + SampleTypeSearchCriteria: SampleTypeSearchCriteriaConstructor; + SampleTypeSortOptions: SampleTypeSortOptionsConstructor; + SampleTypeUpdate: SampleTypeUpdateConstructor; + SampleUpdate: SampleUpdateConstructor; + SearchAggregationServicesOperation: SearchAggregationServicesOperationConstructor; + SearchAggregationServicesOperationResult: SearchAggregationServicesOperationResultConstructor; + SearchAuthorizationGroupsOperation: SearchAuthorizationGroupsOperationConstructor; + SearchAuthorizationGroupsOperationResult: SearchAuthorizationGroupsOperationResultConstructor; + SearchCustomASServicesOperation: SearchCustomASServicesOperationConstructor; + SearchCustomASServicesOperationResult: SearchCustomASServicesOperationResultConstructor; + SearchDataSetTypesOperation: SearchDataSetTypesOperationConstructor; + SearchDataSetTypesOperationResult: SearchDataSetTypesOperationResultConstructor; + SearchDataSetsOperation: SearchDataSetsOperationConstructor; + SearchDataSetsOperationResult: SearchDataSetsOperationResultConstructor; + SearchDataStoresOperation: SearchDataStoresOperationConstructor; + SearchDataStoresOperationResult: SearchDataStoresOperationResultConstructor; + SearchDeletionsOperation: SearchDeletionsOperationConstructor; + SearchDeletionsOperationResult: SearchDeletionsOperationResultConstructor; + SearchDomainService: SearchDomainServiceConstructor; + SearchDomainServiceExecutionOptions: SearchDomainServiceExecutionOptionsConstructor; + SearchDomainServiceExecutionResult: SearchDomainServiceExecutionResultConstructor; + SearchDomainServiceFetchOptions: SearchDomainServiceFetchOptionsConstructor; + SearchDomainServiceSearchCriteria: SearchDomainServiceSearchCriteriaConstructor; + SearchDomainServiceSearchOption: SearchDomainServiceSearchOptionConstructor; + SearchDomainServiceSortOptions: SearchDomainServiceSortOptionsConstructor; + SearchEventsOperation: SearchEventsOperationConstructor; + SearchEventsOperationResult: SearchEventsOperationResultConstructor; + SearchExperimentTypesOperation: SearchExperimentTypesOperationConstructor; + SearchExperimentTypesOperationResult: SearchExperimentTypesOperationResultConstructor; + SearchExperimentsOperation: SearchExperimentsOperationConstructor; + SearchExperimentsOperationResult: SearchExperimentsOperationResultConstructor; + SearchExternalDmsOperation: SearchExternalDmsOperationConstructor; + SearchExternalDmsOperationResult: SearchExternalDmsOperationResultConstructor; + SearchFieldType: SearchFieldTypeObject; + SearchGloballyOperation: SearchGloballyOperationConstructor; + SearchGloballyOperationResult: SearchGloballyOperationResultConstructor; + SearchMaterialTypesOperation: SearchMaterialTypesOperationConstructor; + SearchMaterialTypesOperationResult: SearchMaterialTypesOperationResultConstructor; + SearchMaterialsOperation: SearchMaterialsOperationConstructor; + SearchMaterialsOperationResult: SearchMaterialsOperationResultConstructor; + SearchObjectKindModificationsOperation: SearchObjectKindModificationsOperationConstructor; + SearchObjectKindModificationsOperationResult: SearchObjectKindModificationsOperationResultConstructor; + SearchObjectsOperation: SearchObjectsOperationConstructor; + SearchObjectsOperationResult: SearchObjectsOperationResultConstructor; + SearchOperationExecutionsOperation: SearchOperationExecutionsOperationConstructor; + SearchOperationExecutionsOperationResult: SearchOperationExecutionsOperationResultConstructor; + SearchOperator: SearchOperatorObject; + SearchPersonalAccessTokensOperation: SearchPersonalAccessTokensOperationConstructor; + SearchPersonalAccessTokensOperationResult: SearchPersonalAccessTokensOperationResultConstructor; + SearchPersonsOperation: SearchPersonsOperationConstructor; + SearchPersonsOperationResult: SearchPersonsOperationResultConstructor; + SearchPluginsOperation: SearchPluginsOperationConstructor; + SearchPluginsOperationResult: SearchPluginsOperationResultConstructor; + SearchProcessingServicesOperation: SearchProcessingServicesOperationConstructor; + SearchProcessingServicesOperationResult: SearchProcessingServicesOperationResultConstructor; + SearchProjectsOperation: SearchProjectsOperationConstructor; + SearchProjectsOperationResult: SearchProjectsOperationResultConstructor; + SearchPropertyAssignmentsOperation: SearchPropertyAssignmentsOperationConstructor; + SearchPropertyAssignmentsOperationResult: SearchPropertyAssignmentsOperationResultConstructor; + SearchPropertyTypesOperation: SearchPropertyTypesOperationConstructor; + SearchPropertyTypesOperationResult: SearchPropertyTypesOperationResultConstructor; + SearchQueriesOperation: SearchQueriesOperationConstructor; + SearchQueriesOperationResult: SearchQueriesOperationResultConstructor; + SearchQueryDatabasesOperation: SearchQueryDatabasesOperationConstructor; + SearchQueryDatabasesOperationResult: SearchQueryDatabasesOperationResultConstructor; + SearchReportingServicesOperation: SearchReportingServicesOperationConstructor; + SearchReportingServicesOperationResult: SearchReportingServicesOperationResultConstructor; + SearchResult: SearchResultConstructor; + SearchRoleAssignmentsOperation: SearchRoleAssignmentsOperationConstructor; + SearchRoleAssignmentsOperationResult: SearchRoleAssignmentsOperationResultConstructor; + SearchSampleTypesOperation: SearchSampleTypesOperationConstructor; + SearchSampleTypesOperationResult: SearchSampleTypesOperationResultConstructor; + SearchSamplesOperation: SearchSamplesOperationConstructor; + SearchSamplesOperationResult: SearchSamplesOperationResultConstructor; + SearchSearchDomainServicesOperation: SearchSearchDomainServicesOperationConstructor; + SearchSearchDomainServicesOperationResult: SearchSearchDomainServicesOperationResultConstructor; + SearchSemanticAnnotationsOperation: SearchSemanticAnnotationsOperationConstructor; + SearchSemanticAnnotationsOperationResult: SearchSemanticAnnotationsOperationResultConstructor; + SearchSessionInformationOperation: SearchSessionInformationOperationConstructor; + SearchSessionInformationOperationResult: SearchSessionInformationOperationResultConstructor; + SearchSpacesOperation: SearchSpacesOperationConstructor; + SearchSpacesOperationResult: SearchSpacesOperationResultConstructor; + SearchTagsOperation: SearchTagsOperationConstructor; + SearchTagsOperationResult: SearchTagsOperationResultConstructor; + SearchVocabulariesOperation: SearchVocabulariesOperationConstructor; + SearchVocabulariesOperationResult: SearchVocabulariesOperationResultConstructor; + SearchVocabularyTermsOperation: SearchVocabularyTermsOperationConstructor; + SearchVocabularyTermsOperationResult: SearchVocabularyTermsOperationResultConstructor; + SelectedFields: SelectedFieldsConstructor; + SemanticAnnotation: SemanticAnnotationConstructor; + SemanticAnnotationCreation: SemanticAnnotationCreationConstructor; + SemanticAnnotationDeletionOptions: SemanticAnnotationDeletionOptionsConstructor; + SemanticAnnotationFetchOptions: SemanticAnnotationFetchOptionsConstructor; + SemanticAnnotationPermId: SemanticAnnotationPermIdConstructor; + SemanticAnnotationSearchCriteria: SemanticAnnotationSearchCriteriaConstructor; + SemanticAnnotationSortOptions: SemanticAnnotationSortOptionsConstructor; + SemanticAnnotationUpdate: SemanticAnnotationUpdateConstructor; + ServerTimeZone: ServerTimeZoneConstructor; + SessionInformation: SessionInformationConstructor; + SessionInformationFetchOptions: SessionInformationFetchOptionsConstructor; + SessionInformationPermId: SessionInformationPermIdConstructor; + SessionInformationSearchCriteria: SessionInformationSearchCriteriaConstructor; + SessionInformationSortOptions: SessionInformationSortOptionsConstructor; + ShareIdSearchCriteria: ShareIdSearchCriteriaConstructor; + ShortDateFormat: ShortDateFormatConstructor; + SizeSearchCriteria: SizeSearchCriteriaConstructor; + SortOptions: SortOptionsConstructor; + SortOrder: SortOrderConstructor; + SortParameter: SortParameterObject; + Sorting: SortingConstructor; + Space: SpaceConstructor; + SpaceCreation: SpaceCreationConstructor; + SpaceDeletionOptions: SpaceDeletionOptionsConstructor; + SpaceFetchOptions: SpaceFetchOptionsConstructor; + SpacePermId: SpacePermIdConstructor; + SpaceSearchCriteria: SpaceSearchCriteriaConstructor; + SpaceSortOptions: SpaceSortOptionsConstructor; + SpaceTechId: SpaceTechIdConstructor; + SpaceUpdate: SpaceUpdateConstructor; + SpeedHintSearchCriteria: SpeedHintSearchCriteriaConstructor; + SqlExecutionOptions: SqlExecutionOptionsConstructor; + SqlSearchCriteria: SqlSearchCriteriaConstructor; + StatusSearchCriteria: StatusSearchCriteriaConstructor; + StorageConfirmationSearchCriteria: StorageConfirmationSearchCriteriaConstructor; + StorageFormat: StorageFormatConstructor; + StorageFormatFetchOptions: StorageFormatFetchOptionsConstructor; + StorageFormatPermId: StorageFormatPermIdConstructor; + StorageFormatSearchCriteria: StorageFormatSearchCriteriaConstructor; + StorageFormatSortOptions: StorageFormatSortOptionsConstructor; + StringContainsExactlyValue: StringContainsExactlyValueConstructor; + StringContainsValue: StringContainsValueConstructor; + StringFieldSearchCriteria: StringFieldSearchCriteriaConstructor; + StringGreaterThanOrEqualToValue: StringGreaterThanOrEqualToValueConstructor; + StringGreaterThanValue: StringGreaterThanValueConstructor; + StringLessThanOrEqualToValue: StringLessThanOrEqualToValueConstructor; + StringLessThanValue: StringLessThanValueConstructor; + StringMatchesValue: StringMatchesValueConstructor; + StringStartsWithValue: StringStartsWithValueConstructor; + SynchronousOperationExecutionOptions: SynchronousOperationExecutionOptionsConstructor; + SynchronousOperationExecutionResults: SynchronousOperationExecutionResultsConstructor; + TableColumn: TableColumnConstructor; + TableDoubleCell: TableDoubleCellConstructor; + TableLongCell: TableLongCellConstructor; + TableModel: TableModelConstructor; + TableStringCell: TableStringCellConstructor; + Tag: TagConstructor; + TagCode: TagCodeConstructor; + TagCreation: TagCreationConstructor; + TagDeletionOptions: TagDeletionOptionsConstructor; + TagFetchOptions: TagFetchOptionsConstructor; + TagPermId: TagPermIdConstructor; + TagSearchCriteria: TagSearchCriteriaConstructor; + TagSortOptions: TagSortOptionsConstructor; + TagUpdate: TagUpdateConstructor; + TechIdSearchCriteria: TechIdSearchCriteriaConstructor; + TextAttributeSearchCriteria: TextAttributeSearchCriteriaConstructor; + TimeZone: TimeZoneConstructor; + UnarchiveDataSetsOperation: UnarchiveDataSetsOperationConstructor; + UnarchiveDataSetsOperationResult: UnarchiveDataSetsOperationResultConstructor; + UncompressedImportData: UncompressedImportDataConstructor; + UnknownRelatedObjectId: UnknownRelatedObjectIdConstructor; + UnlockDataSetsOperation: UnlockDataSetsOperationConstructor; + UnlockDataSetsOperationResult: UnlockDataSetsOperationResultConstructor; + UpdateAuthorizationGroupsOperation: UpdateAuthorizationGroupsOperationConstructor; + UpdateAuthorizationGroupsOperationResult: UpdateAuthorizationGroupsOperationResultConstructor; + UpdateDataSetTypesOperation: UpdateDataSetTypesOperationConstructor; + UpdateDataSetTypesOperationResult: UpdateDataSetTypesOperationResultConstructor; + UpdateDataSetsOperation: UpdateDataSetsOperationConstructor; + UpdateDataSetsOperationResult: UpdateDataSetsOperationResultConstructor; + UpdateExperimentTypesOperation: UpdateExperimentTypesOperationConstructor; + UpdateExperimentTypesOperationResult: UpdateExperimentTypesOperationResultConstructor; + UpdateExperimentsOperation: UpdateExperimentsOperationConstructor; + UpdateExperimentsOperationResult: UpdateExperimentsOperationResultConstructor; + UpdateExternalDmsOperation: UpdateExternalDmsOperationConstructor; + UpdateExternalDmsOperationResult: UpdateExternalDmsOperationResultConstructor; + UpdateMaterialTypesOperation: UpdateMaterialTypesOperationConstructor; + UpdateMaterialTypesOperationResult: UpdateMaterialTypesOperationResultConstructor; + UpdateMaterialsOperation: UpdateMaterialsOperationConstructor; + UpdateMaterialsOperationResult: UpdateMaterialsOperationResultConstructor; + UpdateObjectsOperation: UpdateObjectsOperationConstructor; + UpdateObjectsOperationResult: UpdateObjectsOperationResultConstructor; + UpdateOperationExecutionsOperation: UpdateOperationExecutionsOperationConstructor; + UpdateOperationExecutionsOperationResult: UpdateOperationExecutionsOperationResultConstructor; + UpdatePersonalAccessTokensOperation: UpdatePersonalAccessTokensOperationConstructor; + UpdatePersonalAccessTokensOperationResult: UpdatePersonalAccessTokensOperationResultConstructor; + UpdatePersonsOperation: UpdatePersonsOperationConstructor; + UpdatePersonsOperationResult: UpdatePersonsOperationResultConstructor; + UpdatePluginsOperation: UpdatePluginsOperationConstructor; + UpdatePluginsOperationResult: UpdatePluginsOperationResultConstructor; + UpdateProjectsOperation: UpdateProjectsOperationConstructor; + UpdateProjectsOperationResult: UpdateProjectsOperationResultConstructor; + UpdatePropertyTypesOperation: UpdatePropertyTypesOperationConstructor; + UpdatePropertyTypesOperationResult: UpdatePropertyTypesOperationResultConstructor; + UpdateQueriesOperation: UpdateQueriesOperationConstructor; + UpdateQueriesOperationResult: UpdateQueriesOperationResultConstructor; + UpdateSampleTypesOperation: UpdateSampleTypesOperationConstructor; + UpdateSampleTypesOperationResult: UpdateSampleTypesOperationResultConstructor; + UpdateSamplesOperation: UpdateSamplesOperationConstructor; + UpdateSamplesOperationResult: UpdateSamplesOperationResultConstructor; + UpdateSemanticAnnotationsOperation: UpdateSemanticAnnotationsOperationConstructor; + UpdateSemanticAnnotationsOperationResult: UpdateSemanticAnnotationsOperationResultConstructor; + UpdateSpacesOperation: UpdateSpacesOperationConstructor; + UpdateSpacesOperationResult: UpdateSpacesOperationResultConstructor; + UpdateTagsOperation: UpdateTagsOperationConstructor; + UpdateTagsOperationResult: UpdateTagsOperationResultConstructor; + UpdateVocabulariesOperation: UpdateVocabulariesOperationConstructor; + UpdateVocabulariesOperationResult: UpdateVocabulariesOperationResultConstructor; + UpdateVocabularyTermsOperation: UpdateVocabularyTermsOperationConstructor; + UpdateVocabularyTermsOperationResult: UpdateVocabularyTermsOperationResultConstructor; + UploadedDataSetCreation: UploadedDataSetCreationConstructor; + UserIdSearchCriteria: UserIdSearchCriteriaConstructor; + UserIdsSearchCriteria: UserIdsSearchCriteriaConstructor; + UserNameSearchCriteria: UserNameSearchCriteriaConstructor; + Vocabulary: VocabularyConstructor; + VocabularyCreation: VocabularyCreationConstructor; + VocabularyDeletionOptions: VocabularyDeletionOptionsConstructor; + VocabularyFetchOptions: VocabularyFetchOptionsConstructor; + VocabularyPermId: VocabularyPermIdConstructor; + VocabularySearchCriteria: VocabularySearchCriteriaConstructor; + VocabularySortOptions: VocabularySortOptionsConstructor; + VocabularyTerm: VocabularyTermConstructor; + VocabularyTermCreation: VocabularyTermCreationConstructor; + VocabularyTermDeletionOptions: VocabularyTermDeletionOptionsConstructor; + VocabularyTermFetchOptions: VocabularyTermFetchOptionsConstructor; + VocabularyTermPermId: VocabularyTermPermIdConstructor; + VocabularyTermReplacement: VocabularyTermReplacementConstructor; + VocabularyTermSearchCriteria: VocabularyTermSearchCriteriaConstructor; + VocabularyTermSortOptions: VocabularyTermSortOptionsConstructor; + VocabularyTermUpdate: VocabularyTermUpdateConstructor; + VocabularyUpdate: VocabularyUpdateConstructor; + WebAppSetting: WebAppSettingConstructor; + WebAppSettingCreation: WebAppSettingCreationConstructor; + WebAppSettings: WebAppSettingsConstructor; + WebAppSettingsFetchOptions: WebAppSettingsFetchOptionsConstructor; + WebAppSettingsSortOptions: WebAppSettingsSortOptionsConstructor; + WebAppSettingsUpdateValue: WebAppSettingsUpdateValueConstructor; + XlsTextFormat: XlsTextFormatObject; + ZipImportData: ZipImportDataConstructor; + as_dto_attachment_Attachment: AttachmentConstructor; + as_dto_attachment_create_AttachmentCreation: AttachmentCreationConstructor; + as_dto_attachment_fetchoptions_AttachmentFetchOptions: AttachmentFetchOptionsConstructor; + as_dto_attachment_fetchoptions_AttachmentSortOptions: AttachmentSortOptionsConstructor; + as_dto_attachment_id_AttachmentFileName: AttachmentFileNameConstructor; + as_dto_attachment_update_AttachmentListUpdateValue: AttachmentListUpdateValueConstructor; + as_dto_authorizationgroup_AuthorizationGroup: AuthorizationGroupConstructor; + as_dto_authorizationgroup_create_AuthorizationGroupCreation: AuthorizationGroupCreationConstructor; + as_dto_authorizationgroup_create_CreateAuthorizationGroupsOperation: CreateAuthorizationGroupsOperationConstructor; + as_dto_authorizationgroup_create_CreateAuthorizationGroupsOperationResult: CreateAuthorizationGroupsOperationResultConstructor; + as_dto_authorizationgroup_delete_AuthorizationGroupDeletionOptions: AuthorizationGroupDeletionOptionsConstructor; + as_dto_authorizationgroup_delete_DeleteAuthorizationGroupsOperation: DeleteAuthorizationGroupsOperationConstructor; + as_dto_authorizationgroup_delete_DeleteAuthorizationGroupsOperationResult: DeleteAuthorizationGroupsOperationResultConstructor; + as_dto_authorizationgroup_fetchoptions_AuthorizationGroupFetchOptions: AuthorizationGroupFetchOptionsConstructor; + as_dto_authorizationgroup_fetchoptions_AuthorizationGroupSortOptions: AuthorizationGroupSortOptionsConstructor; + as_dto_authorizationgroup_get_GetAuthorizationGroupsOperation: GetAuthorizationGroupsOperationConstructor; + as_dto_authorizationgroup_get_GetAuthorizationGroupsOperationResult: GetAuthorizationGroupsOperationResultConstructor; + as_dto_authorizationgroup_id_AuthorizationGroupPermId: AuthorizationGroupPermIdConstructor; + as_dto_authorizationgroup_search_AuthorizationGroupSearchCriteria: AuthorizationGroupSearchCriteriaConstructor; + as_dto_authorizationgroup_search_SearchAuthorizationGroupsOperation: SearchAuthorizationGroupsOperationConstructor; + as_dto_authorizationgroup_search_SearchAuthorizationGroupsOperationResult: SearchAuthorizationGroupsOperationResultConstructor; + as_dto_authorizationgroup_update_AuthorizationGroupUpdate: AuthorizationGroupUpdateConstructor; + as_dto_authorizationgroup_update_UpdateAuthorizationGroupsOperation: UpdateAuthorizationGroupsOperationConstructor; + as_dto_authorizationgroup_update_UpdateAuthorizationGroupsOperationResult: UpdateAuthorizationGroupsOperationResultConstructor; + as_dto_common_Relationship: RelationshipConstructor; + as_dto_common_TableColumn: TableColumnConstructor; + as_dto_common_TableDoubleCell: TableDoubleCellConstructor; + as_dto_common_TableLongCell: TableLongCellConstructor; + as_dto_common_TableModel: TableModelConstructor; + as_dto_common_TableStringCell: TableStringCellConstructor; + as_dto_common_create_CreateObjectsOperation: CreateObjectsOperationConstructor; + as_dto_common_create_CreateObjectsOperationResult: CreateObjectsOperationResultConstructor; + as_dto_common_delete_DeleteObjectsOperation: DeleteObjectsOperationConstructor; + as_dto_common_delete_DeleteObjectsOperationResult: DeleteObjectsOperationResultConstructor; + as_dto_common_delete_DeleteObjectsWithTrashOperationResult: DeleteObjectsWithTrashOperationResultConstructor; + as_dto_common_delete_DeleteObjectsWithoutTrashOperationResult: DeleteObjectsWithoutTrashOperationResultConstructor; + as_dto_common_entity_AbstractEntity: AbstractEntityConstructor; + as_dto_common_entity_AbstractEntityCreation: AbstractEntityCreationConstructor; + as_dto_common_entity_AbstractEntityPropertyHolder: AbstractEntityPropertyHolderConstructor; + as_dto_common_entity_AbstractEntityUpdate: AbstractEntityUpdateConstructor; + as_dto_common_fetchoptions_AbstractEntityFetchOptions: AbstractEntityFetchOptionsConstructor; + as_dto_common_fetchoptions_CacheMode: CacheModeObject; + as_dto_common_fetchoptions_EmptyFetchOptions: EmptyFetchOptionsConstructor; + as_dto_common_fetchoptions_EntitySortOptions: EntitySortOptionsConstructor; + as_dto_common_fetchoptions_EntityWithPropertiesSortOptions: EntityWithPropertiesSortOptionsConstructor; + as_dto_common_fetchoptions_FetchOptions: FetchOptionsConstructor; + as_dto_common_fetchoptions_SortOptions: SortOptionsConstructor; + as_dto_common_fetchoptions_SortOrder: SortOrderConstructor; + as_dto_common_fetchoptions_SortParameter: SortParameterObject; + as_dto_common_fetchoptions_Sorting: SortingConstructor; + as_dto_common_get_GetObjectsOperation: GetObjectsOperationConstructor; + as_dto_common_get_GetObjectsOperationResult: GetObjectsOperationResultConstructor; + as_dto_common_get_GetServerInformationOperation: GetServerInformationOperationConstructor; + as_dto_common_get_GetServerInformationOperationResult: GetServerInformationOperationResultConstructor; + as_dto_common_get_GetServerPublicInformationOperation: GetServerPublicInformationOperationConstructor; + as_dto_common_get_GetServerPublicInformationOperationResult: GetServerPublicInformationOperationResultConstructor; + as_dto_common_id_CreationId: CreationIdConstructor; + as_dto_common_id_ObjectIdentifier: ObjectIdentifierConstructor; + as_dto_common_id_ObjectPermId: ObjectPermIdConstructor; + as_dto_common_id_ObjectTechId: ObjectTechIdConstructor; + as_dto_common_search_AbstractCompositeSearchCriteria: AbstractCompositeSearchCriteriaConstructor; + as_dto_common_search_AbstractEntitySearchCriteria: AbstractEntitySearchCriteriaConstructor; + as_dto_common_search_AbstractFieldSearchCriteria: AbstractFieldSearchCriteriaConstructor; + as_dto_common_search_AbstractNumberValue: AbstractNumberValueConstructor; + as_dto_common_search_AbstractObjectSearchCriteria: AbstractObjectSearchCriteriaConstructor; + as_dto_common_search_AbstractSearchCriteria: AbstractSearchCriteriaConstructor; + as_dto_common_search_AnyStringValue: AnyStringValueConstructor; + as_dto_common_search_CodeSearchCriteria: CodeSearchCriteriaConstructor; + as_dto_common_search_CodesSearchCriteria: CodesSearchCriteriaConstructor; + as_dto_common_search_CollectionFieldSearchCriteria: CollectionFieldSearchCriteriaConstructor; + as_dto_common_search_DateEarlierThanOrEqualToValue: DateEarlierThanOrEqualToValueConstructor; + as_dto_common_search_DateEarlierThanValue: DateEarlierThanValueConstructor; + as_dto_common_search_DateEqualToValue: DateEqualToValueConstructor; + as_dto_common_search_DateLaterThanOrEqualToValue: DateLaterThanOrEqualToValueConstructor; + as_dto_common_search_DateLaterThanValue: DateLaterThanValueConstructor; + as_dto_common_search_DateObjectEarlierThanOrEqualToValue: DateObjectEarlierThanOrEqualToValueConstructor; + as_dto_common_search_DateObjectEarlierThanValue: DateObjectEarlierThanValueConstructor; + as_dto_common_search_DateObjectEqualToValue: DateObjectEqualToValueConstructor; + as_dto_common_search_DateObjectLaterThanOrEqualToValue: DateObjectLaterThanOrEqualToValueConstructor; + as_dto_common_search_DateObjectLaterThanValue: DateObjectLaterThanValueConstructor; + as_dto_common_search_DescriptionSearchCriteria: DescriptionSearchCriteriaConstructor; + as_dto_common_search_IdSearchCriteria: IdSearchCriteriaConstructor; + as_dto_common_search_IdentifierSearchCriteria: IdentifierSearchCriteriaConstructor; + as_dto_common_search_IdsSearchCriteria: IdsSearchCriteriaConstructor; + as_dto_common_search_LongDateFormat: LongDateFormatConstructor; + as_dto_common_search_NameSearchCriteria: NameSearchCriteriaConstructor; + as_dto_common_search_NormalDateFormat: NormalDateFormatConstructor; + as_dto_common_search_NumberEqualToValue: NumberEqualToValueConstructor; + as_dto_common_search_NumberGreaterThanOrEqualToValue: NumberGreaterThanOrEqualToValueConstructor; + as_dto_common_search_NumberGreaterThanValue: NumberGreaterThanValueConstructor; + as_dto_common_search_NumberLessThanOrEqualToValue: NumberLessThanOrEqualToValueConstructor; + as_dto_common_search_NumberLessThanValue: NumberLessThanValueConstructor; + as_dto_common_search_PermIdSearchCriteria: PermIdSearchCriteriaConstructor; + as_dto_common_search_RegistrationDateSearchCriteria: RegistrationDateSearchCriteriaConstructor; + as_dto_common_search_SamplePropertySearchCriteria: SamplePropertySearchCriteriaConstructor; + as_dto_common_search_SearchFieldType: SearchFieldTypeObject; + as_dto_common_search_SearchObjectsOperation: SearchObjectsOperationConstructor; + as_dto_common_search_SearchObjectsOperationResult: SearchObjectsOperationResultConstructor; + as_dto_common_search_SearchOperator: SearchOperatorObject; + as_dto_common_search_SearchResult: SearchResultConstructor; + as_dto_common_search_ServerTimeZone: ServerTimeZoneConstructor; + as_dto_common_search_ShortDateFormat: ShortDateFormatConstructor; + as_dto_common_search_StringContainsExactlyValue: StringContainsExactlyValueConstructor; + as_dto_common_search_StringContainsValue: StringContainsValueConstructor; + as_dto_common_search_StringFieldSearchCriteria: StringFieldSearchCriteriaConstructor; + as_dto_common_search_StringGreaterThanOrEqualToValue: StringGreaterThanOrEqualToValueConstructor; + as_dto_common_search_StringGreaterThanValue: StringGreaterThanValueConstructor; + as_dto_common_search_StringLessThanOrEqualToValue: StringLessThanOrEqualToValueConstructor; + as_dto_common_search_StringLessThanValue: StringLessThanValueConstructor; + as_dto_common_search_StringMatchesValue: StringMatchesValueConstructor; + as_dto_common_search_StringStartsWithValue: StringStartsWithValueConstructor; + as_dto_common_search_TechIdSearchCriteria: TechIdSearchCriteriaConstructor; + as_dto_common_search_TextAttributeSearchCriteria: TextAttributeSearchCriteriaConstructor; + as_dto_common_search_TimeZone: TimeZoneConstructor; + as_dto_common_update_FieldUpdateValue: FieldUpdateValueConstructor; + as_dto_common_update_IdListUpdateValue: IdListUpdateValueConstructor; + as_dto_common_update_ListUpdateAction: ListUpdateActionConstructor; + as_dto_common_update_ListUpdateActionAdd: ListUpdateActionAddConstructor; + as_dto_common_update_ListUpdateActionRemove: ListUpdateActionRemoveConstructor; + as_dto_common_update_ListUpdateActionSet: ListUpdateActionSetConstructor; + as_dto_common_update_ListUpdateMapValues: ListUpdateMapValuesConstructor; + as_dto_common_update_ListUpdateValue: ListUpdateValueConstructor; + as_dto_common_update_RelationshipUpdate: RelationshipUpdateConstructor; + as_dto_common_update_UpdateObjectsOperation: UpdateObjectsOperationConstructor; + as_dto_common_update_UpdateObjectsOperationResult: UpdateObjectsOperationResultConstructor; + as_dto_dataset_ArchivingStatus: ArchivingStatusObject; + as_dto_dataset_Complete: CompleteObject; + as_dto_dataset_ContentCopy: ContentCopyConstructor; + as_dto_dataset_DataSet: DataSetConstructor; + as_dto_dataset_DataSetKind: DataSetKindObject; + as_dto_dataset_DataSetType: DataSetTypeConstructor; + as_dto_dataset_FileFormatType: FileFormatTypeConstructor; + as_dto_dataset_LinkedData: LinkedDataConstructor; + as_dto_dataset_LocatorType: LocatorTypeConstructor; + as_dto_dataset_PhysicalData: PhysicalDataConstructor; + as_dto_dataset_StorageFormat: StorageFormatConstructor; + as_dto_dataset_archive_ArchiveDataSetsOperation: ArchiveDataSetsOperationConstructor; + as_dto_dataset_archive_ArchiveDataSetsOperationResult: ArchiveDataSetsOperationResultConstructor; + as_dto_dataset_archive_DataSetArchiveOptions: DataSetArchiveOptionsConstructor; + as_dto_dataset_create_ContentCopyCreation: ContentCopyCreationConstructor; + as_dto_dataset_create_CreateDataSetTypesOperation: CreateDataSetTypesOperationConstructor; + as_dto_dataset_create_CreateDataSetTypesOperationResult: CreateDataSetTypesOperationResultConstructor; + as_dto_dataset_create_CreateDataSetsOperation: CreateDataSetsOperationConstructor; + as_dto_dataset_create_CreateDataSetsOperationResult: CreateDataSetsOperationResultConstructor; + as_dto_dataset_create_DataSetCreation: DataSetCreationConstructor; + as_dto_dataset_create_DataSetTypeCreation: DataSetTypeCreationConstructor; + as_dto_dataset_create_LinkedDataCreation: LinkedDataCreationConstructor; + as_dto_dataset_create_PhysicalDataCreation: PhysicalDataCreationConstructor; + as_dto_dataset_delete_DataSetDeletionOptions: DataSetDeletionOptionsConstructor; + as_dto_dataset_delete_DataSetTypeDeletionOptions: DataSetTypeDeletionOptionsConstructor; + as_dto_dataset_delete_DeleteDataSetTypesOperation: DeleteDataSetTypesOperationConstructor; + as_dto_dataset_delete_DeleteDataSetTypesOperationResult: DeleteDataSetTypesOperationResultConstructor; + as_dto_dataset_delete_DeleteDataSetsOperation: DeleteDataSetsOperationConstructor; + as_dto_dataset_delete_DeleteDataSetsOperationResult: DeleteDataSetsOperationResultConstructor; + as_dto_dataset_fetchoptions_DataSetFetchOptions: DataSetFetchOptionsConstructor; + as_dto_dataset_fetchoptions_DataSetSortOptions: DataSetSortOptionsConstructor; + as_dto_dataset_fetchoptions_DataSetTypeFetchOptions: DataSetTypeFetchOptionsConstructor; + as_dto_dataset_fetchoptions_DataSetTypeSortOptions: DataSetTypeSortOptionsConstructor; + as_dto_dataset_fetchoptions_FileFormatTypeFetchOptions: FileFormatTypeFetchOptionsConstructor; + as_dto_dataset_fetchoptions_FileFormatTypeSortOptions: FileFormatTypeSortOptionsConstructor; + as_dto_dataset_fetchoptions_LinkedDataFetchOptions: LinkedDataFetchOptionsConstructor; + as_dto_dataset_fetchoptions_LinkedDataSortOptions: LinkedDataSortOptionsConstructor; + as_dto_dataset_fetchoptions_LocatorTypeFetchOptions: LocatorTypeFetchOptionsConstructor; + as_dto_dataset_fetchoptions_LocatorTypeSortOptions: LocatorTypeSortOptionsConstructor; + as_dto_dataset_fetchoptions_PhysicalDataFetchOptions: PhysicalDataFetchOptionsConstructor; + as_dto_dataset_fetchoptions_PhysicalDataSortOptions: PhysicalDataSortOptionsConstructor; + as_dto_dataset_fetchoptions_StorageFormatFetchOptions: StorageFormatFetchOptionsConstructor; + as_dto_dataset_fetchoptions_StorageFormatSortOptions: StorageFormatSortOptionsConstructor; + as_dto_dataset_get_GetDataSetTypesOperation: GetDataSetTypesOperationConstructor; + as_dto_dataset_get_GetDataSetTypesOperationResult: GetDataSetTypesOperationResultConstructor; + as_dto_dataset_get_GetDataSetsOperation: GetDataSetsOperationConstructor; + as_dto_dataset_get_GetDataSetsOperationResult: GetDataSetsOperationResultConstructor; + as_dto_dataset_history_DataSetRelationType: DataSetRelationTypeObject; + as_dto_dataset_id_BdsDirectoryStorageFormatPermId: BdsDirectoryStorageFormatPermIdConstructor; + as_dto_dataset_id_ContentCopyPermId: ContentCopyPermIdConstructor; + as_dto_dataset_id_DataSetPermId: DataSetPermIdConstructor; + as_dto_dataset_id_FileFormatTypePermId: FileFormatTypePermIdConstructor; + as_dto_dataset_id_LocatorTypePermId: LocatorTypePermIdConstructor; + as_dto_dataset_id_ProprietaryStorageFormatPermId: ProprietaryStorageFormatPermIdConstructor; + as_dto_dataset_id_RelativeLocationLocatorTypePermId: RelativeLocationLocatorTypePermIdConstructor; + as_dto_dataset_id_StorageFormatPermId: StorageFormatPermIdConstructor; + as_dto_dataset_lock_DataSetLockOptions: DataSetLockOptionsConstructor; + as_dto_dataset_lock_LockDataSetsOperation: LockDataSetsOperationConstructor; + as_dto_dataset_lock_LockDataSetsOperationResult: LockDataSetsOperationResultConstructor; + as_dto_dataset_search_ArchivingRequestedSearchCriteria: ArchivingRequestedSearchCriteriaConstructor; + as_dto_dataset_search_CompleteSearchCriteria: CompleteSearchCriteriaConstructor; + as_dto_dataset_search_ContentCopySearchCriteria: ContentCopySearchCriteriaConstructor; + as_dto_dataset_search_DataSetChildrenSearchCriteria: DataSetChildrenSearchCriteriaConstructor; + as_dto_dataset_search_DataSetContainerSearchCriteria: DataSetContainerSearchCriteriaConstructor; + as_dto_dataset_search_DataSetParentsSearchCriteria: DataSetParentsSearchCriteriaConstructor; + as_dto_dataset_search_DataSetSearchCriteria: DataSetSearchCriteriaConstructor; + as_dto_dataset_search_DataSetSearchRelation: DataSetSearchRelationObject; + as_dto_dataset_search_DataSetTypeSearchCriteria: DataSetTypeSearchCriteriaConstructor; + as_dto_dataset_search_ExternalCodeSearchCriteria: ExternalCodeSearchCriteriaConstructor; + as_dto_dataset_search_ExternalDmsSearchCriteria: as_dto_dataset_search_ExternalDmsSearchCriteriaConstructor; + as_dto_dataset_search_FileFormatTypeSearchCriteria: FileFormatTypeSearchCriteriaConstructor; + as_dto_dataset_search_GitCommitHashSearchCriteria: GitCommitHashSearchCriteriaConstructor; + as_dto_dataset_search_GitRepositoryIdSearchCriteria: GitRepositoryIdSearchCriteriaConstructor; + as_dto_dataset_search_LinkedDataSearchCriteria: LinkedDataSearchCriteriaConstructor; + as_dto_dataset_search_LocationSearchCriteria: LocationSearchCriteriaConstructor; + as_dto_dataset_search_LocatorTypeSearchCriteria: LocatorTypeSearchCriteriaConstructor; + as_dto_dataset_search_PathSearchCriteria: PathSearchCriteriaConstructor; + as_dto_dataset_search_PhysicalDataSearchCriteria: PhysicalDataSearchCriteriaConstructor; + as_dto_dataset_search_PresentInArchiveSearchCriteria: PresentInArchiveSearchCriteriaConstructor; + as_dto_dataset_search_SearchDataSetTypesOperation: SearchDataSetTypesOperationConstructor; + as_dto_dataset_search_SearchDataSetTypesOperationResult: SearchDataSetTypesOperationResultConstructor; + as_dto_dataset_search_SearchDataSetsOperation: SearchDataSetsOperationConstructor; + as_dto_dataset_search_SearchDataSetsOperationResult: SearchDataSetsOperationResultConstructor; + as_dto_dataset_search_ShareIdSearchCriteria: ShareIdSearchCriteriaConstructor; + as_dto_dataset_search_SizeSearchCriteria: SizeSearchCriteriaConstructor; + as_dto_dataset_search_SpeedHintSearchCriteria: SpeedHintSearchCriteriaConstructor; + as_dto_dataset_search_StatusSearchCriteria: StatusSearchCriteriaConstructor; + as_dto_dataset_search_StorageConfirmationSearchCriteria: StorageConfirmationSearchCriteriaConstructor; + as_dto_dataset_search_StorageFormatSearchCriteria: StorageFormatSearchCriteriaConstructor; + as_dto_dataset_unarchive_DataSetUnarchiveOptions: DataSetUnarchiveOptionsConstructor; + as_dto_dataset_unarchive_UnarchiveDataSetsOperation: UnarchiveDataSetsOperationConstructor; + as_dto_dataset_unarchive_UnarchiveDataSetsOperationResult: UnarchiveDataSetsOperationResultConstructor; + as_dto_dataset_unlock_DataSetUnlockOptions: DataSetUnlockOptionsConstructor; + as_dto_dataset_unlock_UnlockDataSetsOperation: UnlockDataSetsOperationConstructor; + as_dto_dataset_unlock_UnlockDataSetsOperationResult: UnlockDataSetsOperationResultConstructor; + as_dto_dataset_update_ContentCopyListUpdateValue: ContentCopyListUpdateValueConstructor; + as_dto_dataset_update_DataSetTypeUpdate: DataSetTypeUpdateConstructor; + as_dto_dataset_update_DataSetUpdate: DataSetUpdateConstructor; + as_dto_dataset_update_LinkedDataUpdate: LinkedDataUpdateConstructor; + as_dto_dataset_update_PhysicalDataUpdate: PhysicalDataUpdateConstructor; + as_dto_dataset_update_UpdateDataSetTypesOperation: UpdateDataSetTypesOperationConstructor; + as_dto_dataset_update_UpdateDataSetTypesOperationResult: UpdateDataSetTypesOperationResultConstructor; + as_dto_dataset_update_UpdateDataSetsOperation: UpdateDataSetsOperationConstructor; + as_dto_dataset_update_UpdateDataSetsOperationResult: UpdateDataSetsOperationResultConstructor; + as_dto_datastore_DataStore: DataStoreConstructor; + as_dto_datastore_fetchoptions_DataStoreFetchOptions: DataStoreFetchOptionsConstructor; + as_dto_datastore_fetchoptions_DataStoreSortOptions: DataStoreSortOptionsConstructor; + as_dto_datastore_id_DataStorePermId: DataStorePermIdConstructor; + as_dto_datastore_search_DataStoreSearchCriteria: DataStoreSearchCriteriaConstructor; + as_dto_datastore_search_SearchDataStoresOperation: SearchDataStoresOperationConstructor; + as_dto_datastore_search_SearchDataStoresOperationResult: SearchDataStoresOperationResultConstructor; + as_dto_deletion_AbstractObjectDeletionOptions: AbstractObjectDeletionOptionsConstructor; + as_dto_deletion_DeletedObject: DeletedObjectConstructor; + as_dto_deletion_Deletion: DeletionConstructor; + as_dto_deletion_confirm_ConfirmDeletionsOperation: ConfirmDeletionsOperationConstructor; + as_dto_deletion_confirm_ConfirmDeletionsOperationResult: ConfirmDeletionsOperationResultConstructor; + as_dto_deletion_fetchoptions_DeletedObjectFetchOptions: DeletedObjectFetchOptionsConstructor; + as_dto_deletion_fetchoptions_DeletionFetchOptions: DeletionFetchOptionsConstructor; + as_dto_deletion_fetchoptions_DeletionSortOptions: DeletionSortOptionsConstructor; + as_dto_deletion_id_DeletionTechId: DeletionTechIdConstructor; + as_dto_deletion_revert_RevertDeletionsOperation: RevertDeletionsOperationConstructor; + as_dto_deletion_revert_RevertDeletionsOperationResult: RevertDeletionsOperationResultConstructor; + as_dto_deletion_search_DeletionSearchCriteria: DeletionSearchCriteriaConstructor; + as_dto_deletion_search_SearchDeletionsOperation: SearchDeletionsOperationConstructor; + as_dto_deletion_search_SearchDeletionsOperationResult: SearchDeletionsOperationResultConstructor; + as_dto_entity_create_CreateCodesOperation: CreateCodesOperationConstructor; + as_dto_entity_create_CreateCodesOperationResult: CreateCodesOperationResultConstructor; + as_dto_entity_create_CreatePermIdsOperation: CreatePermIdsOperationConstructor; + as_dto_entity_create_CreatePermIdsOperationResult: CreatePermIdsOperationResultConstructor; + as_dto_entitytype_EntityKind: EntityKindObject; + as_dto_entitytype_fetchoptions_EntityTypeFetchOptions: EntityTypeFetchOptionsConstructor; + as_dto_entitytype_fetchoptions_EntityTypeSortOptions: EntityTypeSortOptionsConstructor; + as_dto_entitytype_id_EntityTypePermId: EntityTypePermIdConstructor; + as_dto_entitytype_search_AbstractEntityTypeSearchCriteria: AbstractEntityTypeSearchCriteriaConstructor; + as_dto_entitytype_search_EntityKindSearchCriteria: EntityKindSearchCriteriaConstructor; + as_dto_entitytype_search_EntityTypeSearchCriteria: EntityTypeSearchCriteriaConstructor; + as_dto_entitytype_update_PropertyAssignmentListUpdateValue: PropertyAssignmentListUpdateValueConstructor; + as_dto_event_EntityType: EntityTypeObject; + as_dto_event_Event: EventConstructor; + as_dto_event_EventType: EventTypeObject; + as_dto_event_fetchoptions_EventFetchOptions: EventFetchOptionsConstructor; + as_dto_event_fetchoptions_EventSortOptions: EventSortOptionsConstructor; + as_dto_event_id_EventTechId: EventTechIdConstructor; + as_dto_event_search_EventDescriptionSearchCriteria: EventDescriptionSearchCriteriaConstructor; + as_dto_event_search_EventEntityProjectIdSearchCriteria: EventEntityProjectIdSearchCriteriaConstructor; + as_dto_event_search_EventEntityProjectSearchCriteria: EventEntityProjectSearchCriteriaConstructor; + as_dto_event_search_EventEntityRegistrationDateSearchCriteria: EventEntityRegistrationDateSearchCriteriaConstructor; + as_dto_event_search_EventEntityRegistratorSearchCriteria: EventEntityRegistratorSearchCriteriaConstructor; + as_dto_event_search_EventEntitySpaceIdSearchCriteria: EventEntitySpaceIdSearchCriteriaConstructor; + as_dto_event_search_EventEntitySpaceSearchCriteria: EventEntitySpaceSearchCriteriaConstructor; + as_dto_event_search_EventEntityTypeSearchCriteria: EventEntityTypeSearchCriteriaConstructor; + as_dto_event_search_EventIdentifierSearchCriteria: EventIdentifierSearchCriteriaConstructor; + as_dto_event_search_EventReasonSearchCriteria: EventReasonSearchCriteriaConstructor; + as_dto_event_search_EventSearchCriteria: EventSearchCriteriaConstructor; + as_dto_event_search_EventTypeSearchCriteria: EventTypeSearchCriteriaConstructor; + as_dto_event_search_SearchEventsOperation: SearchEventsOperationConstructor; + as_dto_event_search_SearchEventsOperationResult: SearchEventsOperationResultConstructor; + as_dto_experiment_Experiment: ExperimentConstructor; + as_dto_experiment_ExperimentType: ExperimentTypeConstructor; + as_dto_experiment_create_CreateExperimentTypesOperation: CreateExperimentTypesOperationConstructor; + as_dto_experiment_create_CreateExperimentTypesOperationResult: CreateExperimentTypesOperationResultConstructor; + as_dto_experiment_create_CreateExperimentsOperation: CreateExperimentsOperationConstructor; + as_dto_experiment_create_CreateExperimentsOperationResult: CreateExperimentsOperationResultConstructor; + as_dto_experiment_create_ExperimentCreation: ExperimentCreationConstructor; + as_dto_experiment_create_ExperimentTypeCreation: ExperimentTypeCreationConstructor; + as_dto_experiment_delete_DeleteExperimentTypesOperation: DeleteExperimentTypesOperationConstructor; + as_dto_experiment_delete_DeleteExperimentTypesOperationResult: DeleteExperimentTypesOperationResultConstructor; + as_dto_experiment_delete_DeleteExperimentsOperation: DeleteExperimentsOperationConstructor; + as_dto_experiment_delete_DeleteExperimentsOperationResult: DeleteExperimentsOperationResultConstructor; + as_dto_experiment_delete_ExperimentDeletionOptions: ExperimentDeletionOptionsConstructor; + as_dto_experiment_delete_ExperimentTypeDeletionOptions: ExperimentTypeDeletionOptionsConstructor; + as_dto_experiment_fetchoptions_ExperimentFetchOptions: ExperimentFetchOptionsConstructor; + as_dto_experiment_fetchoptions_ExperimentSortOptions: ExperimentSortOptionsConstructor; + as_dto_experiment_fetchoptions_ExperimentTypeFetchOptions: ExperimentTypeFetchOptionsConstructor; + as_dto_experiment_fetchoptions_ExperimentTypeSortOptions: ExperimentTypeSortOptionsConstructor; + as_dto_experiment_get_GetExperimentTypesOperation: GetExperimentTypesOperationConstructor; + as_dto_experiment_get_GetExperimentTypesOperationResult: GetExperimentTypesOperationResultConstructor; + as_dto_experiment_get_GetExperimentsOperation: GetExperimentsOperationConstructor; + as_dto_experiment_get_GetExperimentsOperationResult: GetExperimentsOperationResultConstructor; + as_dto_experiment_history_ExperimentRelationType: ExperimentRelationTypeObject; + as_dto_experiment_id_ExperimentIdentifier: ExperimentIdentifierConstructor; + as_dto_experiment_id_ExperimentPermId: ExperimentPermIdConstructor; + as_dto_experiment_search_ExperimentSearchCriteria: ExperimentSearchCriteriaConstructor; + as_dto_experiment_search_ExperimentTypeSearchCriteria: ExperimentTypeSearchCriteriaConstructor; + as_dto_experiment_search_NoExperimentSearchCriteria: NoExperimentSearchCriteriaConstructor; + as_dto_experiment_search_SearchExperimentTypesOperation: SearchExperimentTypesOperationConstructor; + as_dto_experiment_search_SearchExperimentTypesOperationResult: SearchExperimentTypesOperationResultConstructor; + as_dto_experiment_search_SearchExperimentsOperation: SearchExperimentsOperationConstructor; + as_dto_experiment_search_SearchExperimentsOperationResult: SearchExperimentsOperationResultConstructor; + as_dto_experiment_update_ExperimentTypeUpdate: ExperimentTypeUpdateConstructor; + as_dto_experiment_update_ExperimentUpdate: ExperimentUpdateConstructor; + as_dto_experiment_update_UpdateExperimentTypesOperation: UpdateExperimentTypesOperationConstructor; + as_dto_experiment_update_UpdateExperimentTypesOperationResult: UpdateExperimentTypesOperationResultConstructor; + as_dto_experiment_update_UpdateExperimentsOperation: UpdateExperimentsOperationConstructor; + as_dto_experiment_update_UpdateExperimentsOperationResult: UpdateExperimentsOperationResultConstructor; + as_dto_exporter_ExportOperation: ExportOperationConstructor; + as_dto_exporter_ExportOperationResult: ExportOperationResultConstructor; + as_dto_exporter_ExportResult: ExportResultConstructor; + as_dto_exporter_data_AllFields: AllFieldsConstructor; + as_dto_exporter_data_Attribute: AttributeObject; + as_dto_exporter_data_ExportData: ExportDataConstructor; + as_dto_exporter_data_ExportableKind: ExportableKindObject; + as_dto_exporter_data_ExportablePermId: ExportablePermIdConstructor; + as_dto_exporter_data_SelectedFields: SelectedFieldsConstructor; + as_dto_exporter_options_ExportFormat: ExportFormatObject; + as_dto_exporter_options_ExportOptions: ExportOptionsConstructor; + as_dto_exporter_options_XlsTextFormat: XlsTextFormatObject; + as_dto_externaldms_ExternalDms: ExternalDmsConstructor; + as_dto_externaldms_ExternalDmsAddressType: ExternalDmsAddressTypeObject; + as_dto_externaldms_create_CreateExternalDmsOperation: CreateExternalDmsOperationConstructor; + as_dto_externaldms_create_CreateExternalDmsOperationResult: CreateExternalDmsOperationResultConstructor; + as_dto_externaldms_create_ExternalDmsCreation: ExternalDmsCreationConstructor; + as_dto_externaldms_delete_DeleteExternalDmsOperation: DeleteExternalDmsOperationConstructor; + as_dto_externaldms_delete_DeleteExternalDmsOperationResult: DeleteExternalDmsOperationResultConstructor; + as_dto_externaldms_delete_ExternalDmsDeletionOptions: ExternalDmsDeletionOptionsConstructor; + as_dto_externaldms_fetchoptions_ExternalDmsFetchOptions: ExternalDmsFetchOptionsConstructor; + as_dto_externaldms_fetchoptions_ExternalDmsSortOptions: ExternalDmsSortOptionsConstructor; + as_dto_externaldms_get_GetExternalDmsOperation: GetExternalDmsOperationConstructor; + as_dto_externaldms_get_GetExternalDmsOperationResult: GetExternalDmsOperationResultConstructor; + as_dto_externaldms_id_ExternalDmsPermId: ExternalDmsPermIdConstructor; + as_dto_externaldms_search_AddressSearchCriteria: AddressSearchCriteriaConstructor; + as_dto_externaldms_search_ExternalDmsSearchCriteria: as_dto_externaldms_search_ExternalDmsSearchCriteriaConstructor; + as_dto_externaldms_search_ExternalDmsTypeSearchCriteria: ExternalDmsTypeSearchCriteriaConstructor; + as_dto_externaldms_search_LabelSearchCriteria: LabelSearchCriteriaConstructor; + as_dto_externaldms_search_SearchExternalDmsOperation: SearchExternalDmsOperationConstructor; + as_dto_externaldms_search_SearchExternalDmsOperationResult: SearchExternalDmsOperationResultConstructor; + as_dto_externaldms_update_ExternalDmsUpdate: ExternalDmsUpdateConstructor; + as_dto_externaldms_update_UpdateExternalDmsOperation: UpdateExternalDmsOperationConstructor; + as_dto_externaldms_update_UpdateExternalDmsOperationResult: UpdateExternalDmsOperationResultConstructor; + as_dto_global_GlobalSearchObject: GlobalSearchObjectConstructor; + as_dto_global_fetchoptions_GlobalSearchObjectFetchOptions: GlobalSearchObjectFetchOptionsConstructor; + as_dto_global_fetchoptions_GlobalSearchObjectSortOptions: GlobalSearchObjectSortOptionsConstructor; + as_dto_global_fetchoptions_MatchFetchOptions: MatchFetchOptionsConstructor; + as_dto_global_search_GlobalSearchCriteria: GlobalSearchCriteriaConstructor; + as_dto_global_search_GlobalSearchObjectKind: GlobalSearchObjectKindObject; + as_dto_global_search_GlobalSearchObjectKindCriteria: GlobalSearchObjectKindCriteriaConstructor; + as_dto_global_search_GlobalSearchTextCriteria: GlobalSearchTextCriteriaConstructor; + as_dto_global_search_GlobalSearchWildCardsCriteria: GlobalSearchWildCardsCriteriaConstructor; + as_dto_global_search_SearchGloballyOperation: SearchGloballyOperationConstructor; + as_dto_global_search_SearchGloballyOperationResult: SearchGloballyOperationResultConstructor; + as_dto_history_ContentCopyHistoryEntry: ContentCopyHistoryEntryConstructor; + as_dto_history_HistoryEntry: HistoryEntryConstructor; + as_dto_history_PropertyHistoryEntry: PropertyHistoryEntryConstructor; + as_dto_history_RelationHistoryEntry: RelationHistoryEntryConstructor; + as_dto_history_fetchoptions_HistoryEntryFetchOptions: HistoryEntryFetchOptionsConstructor; + as_dto_history_fetchoptions_HistoryEntrySortOptions: HistoryEntrySortOptionsConstructor; + as_dto_history_id_UnknownRelatedObjectId: UnknownRelatedObjectIdConstructor; + as_dto_importer_ImportOperation: ImportOperationConstructor; + as_dto_importer_ImportOperationResult: ImportOperationResultConstructor; + as_dto_importer_data_ImportFormat: ImportFormatObject; + as_dto_importer_data_ImportScript: ImportScriptConstructor; + as_dto_importer_data_ImportValue: ImportValueConstructor; + as_dto_importer_data_UncompressedImportData: UncompressedImportDataConstructor; + as_dto_importer_data_ZipImportData: ZipImportDataConstructor; + as_dto_importer_options_ImportMode: ImportModeObject; + as_dto_importer_options_ImportOptions: ImportOptionsConstructor; + as_dto_material_Material: MaterialConstructor; + as_dto_material_MaterialType: MaterialTypeConstructor; + as_dto_material_create_CreateMaterialTypesOperation: CreateMaterialTypesOperationConstructor; + as_dto_material_create_CreateMaterialTypesOperationResult: CreateMaterialTypesOperationResultConstructor; + as_dto_material_create_CreateMaterialsOperation: CreateMaterialsOperationConstructor; + as_dto_material_create_CreateMaterialsOperationResult: CreateMaterialsOperationResultConstructor; + as_dto_material_create_MaterialCreation: MaterialCreationConstructor; + as_dto_material_create_MaterialTypeCreation: MaterialTypeCreationConstructor; + as_dto_material_delete_DeleteMaterialTypesOperation: DeleteMaterialTypesOperationConstructor; + as_dto_material_delete_DeleteMaterialTypesOperationResult: DeleteMaterialTypesOperationResultConstructor; + as_dto_material_delete_DeleteMaterialsOperation: DeleteMaterialsOperationConstructor; + as_dto_material_delete_DeleteMaterialsOperationResult: DeleteMaterialsOperationResultConstructor; + as_dto_material_delete_MaterialDeletionOptions: MaterialDeletionOptionsConstructor; + as_dto_material_delete_MaterialTypeDeletionOptions: MaterialTypeDeletionOptionsConstructor; + as_dto_material_fetchoptions_MaterialFetchOptions: MaterialFetchOptionsConstructor; + as_dto_material_fetchoptions_MaterialSortOptions: MaterialSortOptionsConstructor; + as_dto_material_fetchoptions_MaterialTypeFetchOptions: MaterialTypeFetchOptionsConstructor; + as_dto_material_fetchoptions_MaterialTypeSortOptions: MaterialTypeSortOptionsConstructor; + as_dto_material_get_GetMaterialTypesOperation: GetMaterialTypesOperationConstructor; + as_dto_material_get_GetMaterialTypesOperationResult: GetMaterialTypesOperationResultConstructor; + as_dto_material_get_GetMaterialsOperation: GetMaterialsOperationConstructor; + as_dto_material_get_GetMaterialsOperationResult: GetMaterialsOperationResultConstructor; + as_dto_material_id_MaterialPermId: MaterialPermIdConstructor; + as_dto_material_search_MaterialSearchCriteria: MaterialSearchCriteriaConstructor; + as_dto_material_search_MaterialTypeSearchCriteria: MaterialTypeSearchCriteriaConstructor; + as_dto_material_search_SearchMaterialTypesOperation: SearchMaterialTypesOperationConstructor; + as_dto_material_search_SearchMaterialTypesOperationResult: SearchMaterialTypesOperationResultConstructor; + as_dto_material_search_SearchMaterialsOperation: SearchMaterialsOperationConstructor; + as_dto_material_search_SearchMaterialsOperationResult: SearchMaterialsOperationResultConstructor; + as_dto_material_update_MaterialTypeUpdate: MaterialTypeUpdateConstructor; + as_dto_material_update_MaterialUpdate: MaterialUpdateConstructor; + as_dto_material_update_UpdateMaterialTypesOperation: UpdateMaterialTypesOperationConstructor; + as_dto_material_update_UpdateMaterialTypesOperationResult: UpdateMaterialTypesOperationResultConstructor; + as_dto_material_update_UpdateMaterialsOperation: UpdateMaterialsOperationConstructor; + as_dto_material_update_UpdateMaterialsOperationResult: UpdateMaterialsOperationResultConstructor; + as_dto_objectkindmodification_ObjectKind: ObjectKindObject; + as_dto_objectkindmodification_ObjectKindModification: ObjectKindModificationConstructor; + as_dto_objectkindmodification_OperationKind: OperationKindObject; + as_dto_objectkindmodification_fetchoptions_ObjectKindModificationFetchOptions: ObjectKindModificationFetchOptionsConstructor; + as_dto_objectkindmodification_fetchoptions_ObjectKindModificationSortOptions: ObjectKindModificationSortOptionsConstructor; + as_dto_objectkindmodification_search_ObjectKindCriteria: ObjectKindCriteriaConstructor; + as_dto_objectkindmodification_search_ObjectKindModificationSearchCriteria: ObjectKindModificationSearchCriteriaConstructor; + as_dto_objectkindmodification_search_OperationKindCriteria: OperationKindCriteriaConstructor; + as_dto_objectkindmodification_search_SearchObjectKindModificationsOperation: SearchObjectKindModificationsOperationConstructor; + as_dto_objectkindmodification_search_SearchObjectKindModificationsOperationResult: SearchObjectKindModificationsOperationResultConstructor; + as_dto_operation_AbstractOperationExecutionOptions: AbstractOperationExecutionOptionsConstructor; + as_dto_operation_AsynchronousOperationExecutionOptions: AsynchronousOperationExecutionOptionsConstructor; + as_dto_operation_AsynchronousOperationExecutionResults: AsynchronousOperationExecutionResultsConstructor; + as_dto_operation_OperationExecution: OperationExecutionConstructor; + as_dto_operation_OperationExecutionAvailability: OperationExecutionAvailabilityObject; + as_dto_operation_OperationExecutionDetails: OperationExecutionDetailsConstructor; + as_dto_operation_OperationExecutionEmailNotification: OperationExecutionEmailNotificationConstructor; + as_dto_operation_OperationExecutionError: OperationExecutionErrorConstructor; + as_dto_operation_OperationExecutionProgress: OperationExecutionProgressConstructor; + as_dto_operation_OperationExecutionState: OperationExecutionStateObject; + as_dto_operation_OperationExecutionSummary: OperationExecutionSummaryConstructor; + as_dto_operation_SynchronousOperationExecutionOptions: SynchronousOperationExecutionOptionsConstructor; + as_dto_operation_SynchronousOperationExecutionResults: SynchronousOperationExecutionResultsConstructor; + as_dto_operation_delete_DeleteOperationExecutionsOperation: DeleteOperationExecutionsOperationConstructor; + as_dto_operation_delete_DeleteOperationExecutionsOperationResult: DeleteOperationExecutionsOperationResultConstructor; + as_dto_operation_delete_OperationExecutionDeletionOptions: OperationExecutionDeletionOptionsConstructor; + as_dto_operation_fetchoptions_OperationExecutionDetailsFetchOptions: OperationExecutionDetailsFetchOptionsConstructor; + as_dto_operation_fetchoptions_OperationExecutionDetailsSortOptions: OperationExecutionDetailsSortOptionsConstructor; + as_dto_operation_fetchoptions_OperationExecutionFetchOptions: OperationExecutionFetchOptionsConstructor; + as_dto_operation_fetchoptions_OperationExecutionNotificationFetchOptions: OperationExecutionNotificationFetchOptionsConstructor; + as_dto_operation_fetchoptions_OperationExecutionNotificationSortOptions: OperationExecutionNotificationSortOptionsConstructor; + as_dto_operation_fetchoptions_OperationExecutionSortOptions: OperationExecutionSortOptionsConstructor; + as_dto_operation_fetchoptions_OperationExecutionSummaryFetchOptions: OperationExecutionSummaryFetchOptionsConstructor; + as_dto_operation_fetchoptions_OperationExecutionSummarySortOptions: OperationExecutionSummarySortOptionsConstructor; + as_dto_operation_get_GetOperationExecutionsOperation: GetOperationExecutionsOperationConstructor; + as_dto_operation_get_GetOperationExecutionsOperationResult: GetOperationExecutionsOperationResultConstructor; + as_dto_operation_id_OperationExecutionPermId: OperationExecutionPermIdConstructor; + as_dto_operation_search_OperationExecutionSearchCriteria: OperationExecutionSearchCriteriaConstructor; + as_dto_operation_search_SearchOperationExecutionsOperation: SearchOperationExecutionsOperationConstructor; + as_dto_operation_search_SearchOperationExecutionsOperationResult: SearchOperationExecutionsOperationResultConstructor; + as_dto_operation_update_OperationExecutionUpdate: OperationExecutionUpdateConstructor; + as_dto_operation_update_UpdateOperationExecutionsOperation: UpdateOperationExecutionsOperationConstructor; + as_dto_operation_update_UpdateOperationExecutionsOperationResult: UpdateOperationExecutionsOperationResultConstructor; + as_dto_pat_PersonalAccessToken: PersonalAccessTokenConstructor; + as_dto_pat_create_CreatePersonalAccessTokensOperation: CreatePersonalAccessTokensOperationConstructor; + as_dto_pat_create_CreatePersonalAccessTokensOperationResult: CreatePersonalAccessTokensOperationResultConstructor; + as_dto_pat_create_PersonalAccessTokenCreation: PersonalAccessTokenCreationConstructor; + as_dto_pat_delete_DeletePersonalAccessTokensOperation: DeletePersonalAccessTokensOperationConstructor; + as_dto_pat_delete_DeletePersonalAccessTokensOperationResult: DeletePersonalAccessTokensOperationResultConstructor; + as_dto_pat_delete_PersonalAccessTokenDeletionOptions: PersonalAccessTokenDeletionOptionsConstructor; + as_dto_pat_fetchoptions_PersonalAccessTokenFetchOptions: PersonalAccessTokenFetchOptionsConstructor; + as_dto_pat_fetchoptions_PersonalAccessTokenSortOptions: PersonalAccessTokenSortOptionsConstructor; + as_dto_pat_get_GetPersonalAccessTokensOperation: GetPersonalAccessTokensOperationConstructor; + as_dto_pat_get_GetPersonalAccessTokensOperationResult: GetPersonalAccessTokensOperationResultConstructor; + as_dto_pat_id_PersonalAccessTokenPermId: PersonalAccessTokenPermIdConstructor; + as_dto_pat_search_PersonalAccessTokenOwnerSearchCriteria: PersonalAccessTokenOwnerSearchCriteriaConstructor; + as_dto_pat_search_PersonalAccessTokenSearchCriteria: PersonalAccessTokenSearchCriteriaConstructor; + as_dto_pat_search_PersonalAccessTokenSessionNameSearchCriteria: as_dto_pat_search_PersonalAccessTokenSessionNameSearchCriteriaConstructor; + as_dto_pat_search_SearchPersonalAccessTokensOperation: SearchPersonalAccessTokensOperationConstructor; + as_dto_pat_search_SearchPersonalAccessTokensOperationResult: SearchPersonalAccessTokensOperationResultConstructor; + as_dto_pat_update_PersonalAccessTokenUpdate: PersonalAccessTokenUpdateConstructor; + as_dto_pat_update_UpdatePersonalAccessTokensOperation: UpdatePersonalAccessTokensOperationConstructor; + as_dto_pat_update_UpdatePersonalAccessTokensOperationResult: UpdatePersonalAccessTokensOperationResultConstructor; + as_dto_person_Person: PersonConstructor; + as_dto_person_create_CreatePersonsOperation: CreatePersonsOperationConstructor; + as_dto_person_create_CreatePersonsOperationResult: CreatePersonsOperationResultConstructor; + as_dto_person_create_PersonCreation: PersonCreationConstructor; + as_dto_person_delete_DeletePersonsOperation: DeletePersonsOperationConstructor; + as_dto_person_delete_DeletePersonsOperationResult: DeletePersonsOperationResultConstructor; + as_dto_person_delete_PersonDeletionOptions: PersonDeletionOptionsConstructor; + as_dto_person_fetchoptions_PersonFetchOptions: PersonFetchOptionsConstructor; + as_dto_person_fetchoptions_PersonSortOptions: PersonSortOptionsConstructor; + as_dto_person_get_GetPersonsOperation: GetPersonsOperationConstructor; + as_dto_person_get_GetPersonsOperationResult: GetPersonsOperationResultConstructor; + as_dto_person_id_Me: MeConstructor; + as_dto_person_id_PersonPermId: PersonPermIdConstructor; + as_dto_person_search_EmailSearchCriteria: EmailSearchCriteriaConstructor; + as_dto_person_search_FirstNameSearchCriteria: FirstNameSearchCriteriaConstructor; + as_dto_person_search_LastNameSearchCriteria: LastNameSearchCriteriaConstructor; + as_dto_person_search_ModifierSearchCriteria: ModifierSearchCriteriaConstructor; + as_dto_person_search_PersonSearchCriteria: PersonSearchCriteriaConstructor; + as_dto_person_search_RegistratorSearchCriteria: RegistratorSearchCriteriaConstructor; + as_dto_person_search_SearchPersonsOperation: SearchPersonsOperationConstructor; + as_dto_person_search_SearchPersonsOperationResult: SearchPersonsOperationResultConstructor; + as_dto_person_search_UserIdSearchCriteria: UserIdSearchCriteriaConstructor; + as_dto_person_search_UserIdsSearchCriteria: UserIdsSearchCriteriaConstructor; + as_dto_person_update_PersonUpdate: PersonUpdateConstructor; + as_dto_person_update_UpdatePersonsOperation: UpdatePersonsOperationConstructor; + as_dto_person_update_UpdatePersonsOperationResult: UpdatePersonsOperationResultConstructor; + as_dto_plugin_Plugin: PluginConstructor; + as_dto_plugin_PluginKind: PluginKindObject; + as_dto_plugin_PluginType: PluginTypeObject; + as_dto_plugin_create_CreatePluginsOperation: CreatePluginsOperationConstructor; + as_dto_plugin_create_CreatePluginsOperationResult: CreatePluginsOperationResultConstructor; + as_dto_plugin_create_PluginCreation: PluginCreationConstructor; + as_dto_plugin_delete_DeletePluginsOperation: DeletePluginsOperationConstructor; + as_dto_plugin_delete_DeletePluginsOperationResult: DeletePluginsOperationResultConstructor; + as_dto_plugin_delete_PluginDeletionOptions: PluginDeletionOptionsConstructor; + as_dto_plugin_evaluate_DynamicPropertyPluginEvaluationOptions: DynamicPropertyPluginEvaluationOptionsConstructor; + as_dto_plugin_evaluate_DynamicPropertyPluginEvaluationResult: DynamicPropertyPluginEvaluationResultConstructor; + as_dto_plugin_evaluate_EntityValidationPluginEvaluationOptions: EntityValidationPluginEvaluationOptionsConstructor; + as_dto_plugin_evaluate_EntityValidationPluginEvaluationResult: EntityValidationPluginEvaluationResultConstructor; + as_dto_plugin_evaluate_EvaluatePluginOperation: EvaluatePluginOperationConstructor; + as_dto_plugin_evaluate_EvaluatePluginOperationResult: EvaluatePluginOperationResultConstructor; + as_dto_plugin_evaluate_PluginEvaluationOptions: PluginEvaluationOptionsConstructor; + as_dto_plugin_evaluate_PluginEvaluationResult: PluginEvaluationResultConstructor; + as_dto_plugin_fetchoptions_PluginFetchOptions: PluginFetchOptionsConstructor; + as_dto_plugin_fetchoptions_PluginSortOptions: PluginSortOptionsConstructor; + as_dto_plugin_get_GetPluginsOperation: GetPluginsOperationConstructor; + as_dto_plugin_get_GetPluginsOperationResult: GetPluginsOperationResultConstructor; + as_dto_plugin_id_PluginPermId: PluginPermIdConstructor; + as_dto_plugin_search_PluginKindSearchCriteria: PluginKindSearchCriteriaConstructor; + as_dto_plugin_search_PluginSearchCriteria: PluginSearchCriteriaConstructor; + as_dto_plugin_search_PluginTypeSearchCriteria: PluginTypeSearchCriteriaConstructor; + as_dto_plugin_search_SearchPluginsOperation: SearchPluginsOperationConstructor; + as_dto_plugin_search_SearchPluginsOperationResult: SearchPluginsOperationResultConstructor; + as_dto_plugin_update_PluginUpdate: PluginUpdateConstructor; + as_dto_plugin_update_UpdatePluginsOperation: UpdatePluginsOperationConstructor; + as_dto_plugin_update_UpdatePluginsOperationResult: UpdatePluginsOperationResultConstructor; + as_dto_project_Project: ProjectConstructor; + as_dto_project_create_CreateProjectsOperation: CreateProjectsOperationConstructor; + as_dto_project_create_CreateProjectsOperationResult: CreateProjectsOperationResultConstructor; + as_dto_project_create_ProjectCreation: ProjectCreationConstructor; + as_dto_project_delete_DeleteProjectsOperation: DeleteProjectsOperationConstructor; + as_dto_project_delete_DeleteProjectsOperationResult: DeleteProjectsOperationResultConstructor; + as_dto_project_delete_ProjectDeletionOptions: ProjectDeletionOptionsConstructor; + as_dto_project_fetchoptions_ProjectFetchOptions: ProjectFetchOptionsConstructor; + as_dto_project_fetchoptions_ProjectSortOptions: ProjectSortOptionsConstructor; + as_dto_project_get_GetProjectsOperation: GetProjectsOperationConstructor; + as_dto_project_get_GetProjectsOperationResult: GetProjectsOperationResultConstructor; + as_dto_project_history_ProjectRelationType: ProjectRelationTypeObject; + as_dto_project_id_ProjectIdentifier: ProjectIdentifierConstructor; + as_dto_project_id_ProjectPermId: ProjectPermIdConstructor; + as_dto_project_search_NoProjectSearchCriteria: NoProjectSearchCriteriaConstructor; + as_dto_project_search_ProjectSearchCriteria: ProjectSearchCriteriaConstructor; + as_dto_project_search_SearchProjectsOperation: SearchProjectsOperationConstructor; + as_dto_project_search_SearchProjectsOperationResult: SearchProjectsOperationResultConstructor; + as_dto_project_update_ProjectUpdate: ProjectUpdateConstructor; + as_dto_project_update_UpdateProjectsOperation: UpdateProjectsOperationConstructor; + as_dto_project_update_UpdateProjectsOperationResult: UpdateProjectsOperationResultConstructor; + as_dto_property_DataType: DataTypeObject; + as_dto_property_PropertyAssignment: PropertyAssignmentConstructor; + as_dto_property_PropertyType: PropertyTypeConstructor; + as_dto_property_create_CreatePropertyTypesOperation: CreatePropertyTypesOperationConstructor; + as_dto_property_create_CreatePropertyTypesOperationResult: CreatePropertyTypesOperationResultConstructor; + as_dto_property_create_PropertyAssignmentCreation: PropertyAssignmentCreationConstructor; + as_dto_property_create_PropertyTypeCreation: PropertyTypeCreationConstructor; + as_dto_property_delete_DeletePropertyTypesOperation: DeletePropertyTypesOperationConstructor; + as_dto_property_delete_DeletePropertyTypesOperationResult: DeletePropertyTypesOperationResultConstructor; + as_dto_property_delete_PropertyTypeDeletionOptions: PropertyTypeDeletionOptionsConstructor; + as_dto_property_fetchoptions_PropertyAssignmentFetchOptions: PropertyAssignmentFetchOptionsConstructor; + as_dto_property_fetchoptions_PropertyAssignmentSortOptions: PropertyAssignmentSortOptionsConstructor; + as_dto_property_fetchoptions_PropertyFetchOptions: PropertyFetchOptionsConstructor; + as_dto_property_fetchoptions_PropertyTypeFetchOptions: PropertyTypeFetchOptionsConstructor; + as_dto_property_fetchoptions_PropertyTypeSortOptions: PropertyTypeSortOptionsConstructor; + as_dto_property_get_GetPropertyTypesOperation: GetPropertyTypesOperationConstructor; + as_dto_property_get_GetPropertyTypesOperationResult: GetPropertyTypesOperationResultConstructor; + as_dto_property_id_PropertyAssignmentPermId: PropertyAssignmentPermIdConstructor; + as_dto_property_id_PropertyTypePermId: PropertyTypePermIdConstructor; + as_dto_property_search_PropertyAssignmentSearchCriteria: PropertyAssignmentSearchCriteriaConstructor; + as_dto_property_search_PropertyTypeSearchCriteria: PropertyTypeSearchCriteriaConstructor; + as_dto_property_search_SearchPropertyAssignmentsOperation: SearchPropertyAssignmentsOperationConstructor; + as_dto_property_search_SearchPropertyAssignmentsOperationResult: SearchPropertyAssignmentsOperationResultConstructor; + as_dto_property_search_SearchPropertyTypesOperation: SearchPropertyTypesOperationConstructor; + as_dto_property_search_SearchPropertyTypesOperationResult: SearchPropertyTypesOperationResultConstructor; + as_dto_property_update_PropertyTypeUpdate: PropertyTypeUpdateConstructor; + as_dto_property_update_UpdatePropertyTypesOperation: UpdatePropertyTypesOperationConstructor; + as_dto_property_update_UpdatePropertyTypesOperationResult: UpdatePropertyTypesOperationResultConstructor; + as_dto_query_Query: QueryConstructor; + as_dto_query_QueryDatabase: QueryDatabaseConstructor; + as_dto_query_QueryType: QueryTypeObject; + as_dto_query_create_CreateQueriesOperation: CreateQueriesOperationConstructor; + as_dto_query_create_CreateQueriesOperationResult: CreateQueriesOperationResultConstructor; + as_dto_query_create_QueryCreation: QueryCreationConstructor; + as_dto_query_delete_DeleteQueriesOperation: DeleteQueriesOperationConstructor; + as_dto_query_delete_DeleteQueriesOperationResult: DeleteQueriesOperationResultConstructor; + as_dto_query_delete_QueryDeletionOptions: QueryDeletionOptionsConstructor; + as_dto_query_execute_ExecuteQueryOperation: ExecuteQueryOperationConstructor; + as_dto_query_execute_ExecuteQueryOperationResult: ExecuteQueryOperationResultConstructor; + as_dto_query_execute_ExecuteSqlOperation: ExecuteSqlOperationConstructor; + as_dto_query_execute_ExecuteSqlOperationResult: ExecuteSqlOperationResultConstructor; + as_dto_query_execute_QueryExecutionOptions: QueryExecutionOptionsConstructor; + as_dto_query_execute_SqlExecutionOptions: SqlExecutionOptionsConstructor; + as_dto_query_fetchoptions_QueryDatabaseFetchOptions: QueryDatabaseFetchOptionsConstructor; + as_dto_query_fetchoptions_QueryDatabaseSortOptions: QueryDatabaseSortOptionsConstructor; + as_dto_query_fetchoptions_QueryFetchOptions: QueryFetchOptionsConstructor; + as_dto_query_fetchoptions_QuerySortOptions: QuerySortOptionsConstructor; + as_dto_query_get_GetQueriesOperation: GetQueriesOperationConstructor; + as_dto_query_get_GetQueriesOperationResult: GetQueriesOperationResultConstructor; + as_dto_query_get_GetQueryDatabasesOperation: GetQueryDatabasesOperationConstructor; + as_dto_query_get_GetQueryDatabasesOperationResult: GetQueryDatabasesOperationResultConstructor; + as_dto_query_id_QueryDatabaseName: QueryDatabaseNameConstructor; + as_dto_query_id_QueryName: QueryNameConstructor; + as_dto_query_id_QueryTechId: QueryTechIdConstructor; + as_dto_query_search_DatabaseIdSearchCriteria: DatabaseIdSearchCriteriaConstructor; + as_dto_query_search_EntityTypeCodePatternSearchCriteria: EntityTypeCodePatternSearchCriteriaConstructor; + as_dto_query_search_QueryDatabaseSearchCriteria: QueryDatabaseSearchCriteriaConstructor; + as_dto_query_search_QuerySearchCriteria: QuerySearchCriteriaConstructor; + as_dto_query_search_QueryTypeSearchCriteria: QueryTypeSearchCriteriaConstructor; + as_dto_query_search_SearchQueriesOperation: SearchQueriesOperationConstructor; + as_dto_query_search_SearchQueriesOperationResult: SearchQueriesOperationResultConstructor; + as_dto_query_search_SearchQueryDatabasesOperation: SearchQueryDatabasesOperationConstructor; + as_dto_query_search_SearchQueryDatabasesOperationResult: SearchQueryDatabasesOperationResultConstructor; + as_dto_query_search_SqlSearchCriteria: SqlSearchCriteriaConstructor; + as_dto_query_update_QueryUpdate: QueryUpdateConstructor; + as_dto_query_update_UpdateQueriesOperation: UpdateQueriesOperationConstructor; + as_dto_query_update_UpdateQueriesOperationResult: UpdateQueriesOperationResultConstructor; + as_dto_rights_Right: RightObject; + as_dto_rights_Rights: RightsConstructor; + as_dto_rights_fetchoptions_RightsFetchOptions: RightsFetchOptionsConstructor; + as_dto_rights_get_GetRightsOperation: GetRightsOperationConstructor; + as_dto_rights_get_GetRightsOperationResult: GetRightsOperationResultConstructor; + as_dto_roleassignment_Role: RoleObject; + as_dto_roleassignment_RoleAssignment: RoleAssignmentConstructor; + as_dto_roleassignment_RoleLevel: RoleLevelObject; + as_dto_roleassignment_create_CreateRoleAssignmentsOperation: CreateRoleAssignmentsOperationConstructor; + as_dto_roleassignment_create_CreateRoleAssignmentsOperationResult: CreateRoleAssignmentsOperationResultConstructor; + as_dto_roleassignment_create_RoleAssignmentCreation: RoleAssignmentCreationConstructor; + as_dto_roleassignment_delete_DeleteRoleAssignmentsOperation: DeleteRoleAssignmentsOperationConstructor; + as_dto_roleassignment_delete_DeleteRoleAssignmentsOperationResult: DeleteRoleAssignmentsOperationResultConstructor; + as_dto_roleassignment_delete_RoleAssignmentDeletionOptions: RoleAssignmentDeletionOptionsConstructor; + as_dto_roleassignment_fetchoptions_RoleAssignmentFetchOptions: RoleAssignmentFetchOptionsConstructor; + as_dto_roleassignment_fetchoptions_RoleAssignmentSortOptions: RoleAssignmentSortOptionsConstructor; + as_dto_roleassignment_get_GetRoleAssignmentsOperation: GetRoleAssignmentsOperationConstructor; + as_dto_roleassignment_get_GetRoleAssignmentsOperationResult: GetRoleAssignmentsOperationResultConstructor; + as_dto_roleassignment_id_RoleAssignmentTechId: RoleAssignmentTechIdConstructor; + as_dto_roleassignment_search_RoleAssignmentSearchCriteria: RoleAssignmentSearchCriteriaConstructor; + as_dto_roleassignment_search_SearchRoleAssignmentsOperation: SearchRoleAssignmentsOperationConstructor; + as_dto_roleassignment_search_SearchRoleAssignmentsOperationResult: SearchRoleAssignmentsOperationResultConstructor; + as_dto_sample_Sample: SampleConstructor; + as_dto_sample_SampleType: SampleTypeConstructor; + as_dto_sample_create_CreateSampleTypesOperation: CreateSampleTypesOperationConstructor; + as_dto_sample_create_CreateSampleTypesOperationResult: CreateSampleTypesOperationResultConstructor; + as_dto_sample_create_CreateSamplesOperation: CreateSamplesOperationConstructor; + as_dto_sample_create_CreateSamplesOperationResult: CreateSamplesOperationResultConstructor; + as_dto_sample_create_SampleCreation: SampleCreationConstructor; + as_dto_sample_create_SampleTypeCreation: SampleTypeCreationConstructor; + as_dto_sample_delete_DeleteSampleTypesOperation: DeleteSampleTypesOperationConstructor; + as_dto_sample_delete_DeleteSampleTypesOperationResult: DeleteSampleTypesOperationResultConstructor; + as_dto_sample_delete_DeleteSamplesOperation: DeleteSamplesOperationConstructor; + as_dto_sample_delete_DeleteSamplesOperationResult: DeleteSamplesOperationResultConstructor; + as_dto_sample_delete_SampleDeletionOptions: SampleDeletionOptionsConstructor; + as_dto_sample_delete_SampleTypeDeletionOptions: SampleTypeDeletionOptionsConstructor; + as_dto_sample_fetchoptions_SampleFetchOptions: SampleFetchOptionsConstructor; + as_dto_sample_fetchoptions_SampleSortOptions: SampleSortOptionsConstructor; + as_dto_sample_fetchoptions_SampleTypeFetchOptions: SampleTypeFetchOptionsConstructor; + as_dto_sample_fetchoptions_SampleTypeSortOptions: SampleTypeSortOptionsConstructor; + as_dto_sample_get_GetSampleTypesOperation: GetSampleTypesOperationConstructor; + as_dto_sample_get_GetSampleTypesOperationResult: GetSampleTypesOperationResultConstructor; + as_dto_sample_get_GetSamplesOperation: GetSamplesOperationConstructor; + as_dto_sample_get_GetSamplesOperationResult: GetSamplesOperationResultConstructor; + as_dto_sample_history_SampleRelationType: SampleRelationTypeObject; + as_dto_sample_id_SampleIdentifier: SampleIdentifierConstructor; + as_dto_sample_id_SamplePermId: SamplePermIdConstructor; + as_dto_sample_search_ListableSampleTypeSearchCriteria: ListableSampleTypeSearchCriteriaConstructor; + as_dto_sample_search_NoSampleContainerSearchCriteria: NoSampleContainerSearchCriteriaConstructor; + as_dto_sample_search_NoSampleSearchCriteria: NoSampleSearchCriteriaConstructor; + as_dto_sample_search_SampleChildrenSearchCriteria: SampleChildrenSearchCriteriaConstructor; + as_dto_sample_search_SampleContainerSearchCriteria: SampleContainerSearchCriteriaConstructor; + as_dto_sample_search_SampleParentsSearchCriteria: SampleParentsSearchCriteriaConstructor; + as_dto_sample_search_SampleSearchCriteria: SampleSearchCriteriaConstructor; + as_dto_sample_search_SampleSearchRelation: SampleSearchRelationObject; + as_dto_sample_search_SampleTypeSearchCriteria: SampleTypeSearchCriteriaConstructor; + as_dto_sample_search_SearchSampleTypesOperation: SearchSampleTypesOperationConstructor; + as_dto_sample_search_SearchSampleTypesOperationResult: SearchSampleTypesOperationResultConstructor; + as_dto_sample_search_SearchSamplesOperation: SearchSamplesOperationConstructor; + as_dto_sample_search_SearchSamplesOperationResult: SearchSamplesOperationResultConstructor; + as_dto_sample_update_SampleTypeUpdate: SampleTypeUpdateConstructor; + as_dto_sample_update_SampleUpdate: SampleUpdateConstructor; + as_dto_sample_update_UpdateSampleTypesOperation: UpdateSampleTypesOperationConstructor; + as_dto_sample_update_UpdateSampleTypesOperationResult: UpdateSampleTypesOperationResultConstructor; + as_dto_sample_update_UpdateSamplesOperation: UpdateSamplesOperationConstructor; + as_dto_sample_update_UpdateSamplesOperationResult: UpdateSamplesOperationResultConstructor; + as_dto_semanticannotation_SemanticAnnotation: SemanticAnnotationConstructor; + as_dto_semanticannotation_create_CreateSemanticAnnotationsOperation: CreateSemanticAnnotationsOperationConstructor; + as_dto_semanticannotation_create_CreateSemanticAnnotationsOperationResult: CreateSemanticAnnotationsOperationResultConstructor; + as_dto_semanticannotation_create_SemanticAnnotationCreation: SemanticAnnotationCreationConstructor; + as_dto_semanticannotation_delete_DeleteSemanticAnnotationsOperation: DeleteSemanticAnnotationsOperationConstructor; + as_dto_semanticannotation_delete_DeleteSemanticAnnotationsOperationResult: DeleteSemanticAnnotationsOperationResultConstructor; + as_dto_semanticannotation_delete_SemanticAnnotationDeletionOptions: SemanticAnnotationDeletionOptionsConstructor; + as_dto_semanticannotation_fetchoptions_SemanticAnnotationFetchOptions: SemanticAnnotationFetchOptionsConstructor; + as_dto_semanticannotation_fetchoptions_SemanticAnnotationSortOptions: SemanticAnnotationSortOptionsConstructor; + as_dto_semanticannotation_get_GetSemanticAnnotationsOperation: GetSemanticAnnotationsOperationConstructor; + as_dto_semanticannotation_get_GetSemanticAnnotationsOperationResult: GetSemanticAnnotationsOperationResultConstructor; + as_dto_semanticannotation_id_SemanticAnnotationPermId: SemanticAnnotationPermIdConstructor; + as_dto_semanticannotation_search_DescriptorAccessionIdSearchCriteria: DescriptorAccessionIdSearchCriteriaConstructor; + as_dto_semanticannotation_search_DescriptorOntologyIdSearchCriteria: DescriptorOntologyIdSearchCriteriaConstructor; + as_dto_semanticannotation_search_DescriptorOntologyVersionSearchCriteria: DescriptorOntologyVersionSearchCriteriaConstructor; + as_dto_semanticannotation_search_PredicateAccessionIdSearchCriteria: PredicateAccessionIdSearchCriteriaConstructor; + as_dto_semanticannotation_search_PredicateOntologyIdSearchCriteria: PredicateOntologyIdSearchCriteriaConstructor; + as_dto_semanticannotation_search_PredicateOntologyVersionSearchCriteria: PredicateOntologyVersionSearchCriteriaConstructor; + as_dto_semanticannotation_search_SearchSemanticAnnotationsOperation: SearchSemanticAnnotationsOperationConstructor; + as_dto_semanticannotation_search_SearchSemanticAnnotationsOperationResult: SearchSemanticAnnotationsOperationResultConstructor; + as_dto_semanticannotation_search_SemanticAnnotationSearchCriteria: SemanticAnnotationSearchCriteriaConstructor; + as_dto_semanticannotation_update_SemanticAnnotationUpdate: SemanticAnnotationUpdateConstructor; + as_dto_semanticannotation_update_UpdateSemanticAnnotationsOperation: UpdateSemanticAnnotationsOperationConstructor; + as_dto_semanticannotation_update_UpdateSemanticAnnotationsOperationResult: UpdateSemanticAnnotationsOperationResultConstructor; + as_dto_service_AggregationService: AggregationServiceConstructor; + as_dto_service_CustomASService: CustomASServiceConstructor; + as_dto_service_CustomASServiceExecutionOptions: CustomASServiceExecutionOptionsConstructor; + as_dto_service_ProcessingService: ProcessingServiceConstructor; + as_dto_service_ReportingService: ReportingServiceConstructor; + as_dto_service_SearchDomainService: SearchDomainServiceConstructor; + as_dto_service_SearchDomainServiceExecutionResult: SearchDomainServiceExecutionResultConstructor; + as_dto_service_SearchDomainServiceSearchOption: SearchDomainServiceSearchOptionConstructor; + as_dto_service_execute_AbstractExecutionOptionsWithParameters: as_dto_service_execute_AbstractExecutionOptionsWithParametersConstructor; + as_dto_service_execute_AggregationServiceExecutionOptions: AggregationServiceExecutionOptionsConstructor; + as_dto_service_execute_ExecuteAggregationServiceOperation: ExecuteAggregationServiceOperationConstructor; + as_dto_service_execute_ExecuteAggregationServiceOperationResult: ExecuteAggregationServiceOperationResultConstructor; + as_dto_service_execute_ExecuteCustomASServiceOperation: ExecuteCustomASServiceOperationConstructor; + as_dto_service_execute_ExecuteCustomASServiceOperationResult: ExecuteCustomASServiceOperationResultConstructor; + as_dto_service_execute_ExecuteProcessingServiceOperation: ExecuteProcessingServiceOperationConstructor; + as_dto_service_execute_ExecuteProcessingServiceOperationResult: ExecuteProcessingServiceOperationResultConstructor; + as_dto_service_execute_ExecuteReportingServiceOperation: ExecuteReportingServiceOperationConstructor; + as_dto_service_execute_ExecuteReportingServiceOperationResult: ExecuteReportingServiceOperationResultConstructor; + as_dto_service_execute_ExecuteSearchDomainServiceOperation: ExecuteSearchDomainServiceOperationConstructor; + as_dto_service_execute_ExecuteSearchDomainServiceOperationResult: ExecuteSearchDomainServiceOperationResultConstructor; + as_dto_service_execute_ProcessingServiceExecutionOptions: ProcessingServiceExecutionOptionsConstructor; + as_dto_service_execute_ReportingServiceExecutionOptions: ReportingServiceExecutionOptionsConstructor; + as_dto_service_execute_SearchDomainServiceExecutionOptions: SearchDomainServiceExecutionOptionsConstructor; + as_dto_service_fetchoptions_AggregationServiceFetchOptions: AggregationServiceFetchOptionsConstructor; + as_dto_service_fetchoptions_AggregationServiceSortOptions: AggregationServiceSortOptionsConstructor; + as_dto_service_fetchoptions_CustomASServiceFetchOptions: CustomASServiceFetchOptionsConstructor; + as_dto_service_fetchoptions_CustomASServiceSortOptions: CustomASServiceSortOptionsConstructor; + as_dto_service_fetchoptions_ProcessingServiceFetchOptions: ProcessingServiceFetchOptionsConstructor; + as_dto_service_fetchoptions_ProcessingServiceSortOptions: ProcessingServiceSortOptionsConstructor; + as_dto_service_fetchoptions_ReportingServiceFetchOptions: ReportingServiceFetchOptionsConstructor; + as_dto_service_fetchoptions_ReportingServiceSortOptions: ReportingServiceSortOptionsConstructor; + as_dto_service_fetchoptions_SearchDomainServiceFetchOptions: SearchDomainServiceFetchOptionsConstructor; + as_dto_service_fetchoptions_SearchDomainServiceSortOptions: SearchDomainServiceSortOptionsConstructor; + as_dto_service_id_CustomASServiceCode: CustomASServiceCodeConstructor; + as_dto_service_id_DssServicePermId: DssServicePermIdConstructor; + as_dto_service_search_AggregationServiceSearchCriteria: AggregationServiceSearchCriteriaConstructor; + as_dto_service_search_CustomASServiceSearchCriteria: CustomASServiceSearchCriteriaConstructor; + as_dto_service_search_ProcessingServiceSearchCriteria: ProcessingServiceSearchCriteriaConstructor; + as_dto_service_search_ReportingServiceSearchCriteria: ReportingServiceSearchCriteriaConstructor; + as_dto_service_search_SearchAggregationServicesOperation: SearchAggregationServicesOperationConstructor; + as_dto_service_search_SearchAggregationServicesOperationResult: SearchAggregationServicesOperationResultConstructor; + as_dto_service_search_SearchCustomASServicesOperation: SearchCustomASServicesOperationConstructor; + as_dto_service_search_SearchCustomASServicesOperationResult: SearchCustomASServicesOperationResultConstructor; + as_dto_service_search_SearchDomainServiceSearchCriteria: SearchDomainServiceSearchCriteriaConstructor; + as_dto_service_search_SearchProcessingServicesOperation: SearchProcessingServicesOperationConstructor; + as_dto_service_search_SearchProcessingServicesOperationResult: SearchProcessingServicesOperationResultConstructor; + as_dto_service_search_SearchReportingServicesOperation: SearchReportingServicesOperationConstructor; + as_dto_service_search_SearchReportingServicesOperationResult: SearchReportingServicesOperationResultConstructor; + as_dto_service_search_SearchSearchDomainServicesOperation: SearchSearchDomainServicesOperationConstructor; + as_dto_service_search_SearchSearchDomainServicesOperationResult: SearchSearchDomainServicesOperationResultConstructor; + as_dto_session_SessionInformation: SessionInformationConstructor; + as_dto_session_fetchoptions_SessionInformationFetchOptions: SessionInformationFetchOptionsConstructor; + as_dto_session_fetchoptions_SessionInformationSortOptions: SessionInformationSortOptionsConstructor; + as_dto_session_get_GetSessionInformationOperation: GetSessionInformationOperationConstructor; + as_dto_session_get_GetSessionInformationOperationResult: GetSessionInformationOperationResultConstructor; + as_dto_session_id_SessionInformationPermId: SessionInformationPermIdConstructor; + as_dto_session_search_PersonalAccessTokenSessionNameSearchCriteria: as_dto_session_search_PersonalAccessTokenSessionNameSearchCriteriaConstructor; + as_dto_session_search_PersonalAccessTokenSessionSearchCriteria: PersonalAccessTokenSessionSearchCriteriaConstructor; + as_dto_session_search_SearchSessionInformationOperation: SearchSessionInformationOperationConstructor; + as_dto_session_search_SearchSessionInformationOperationResult: SearchSessionInformationOperationResultConstructor; + as_dto_session_search_SessionInformationSearchCriteria: SessionInformationSearchCriteriaConstructor; + as_dto_session_search_UserNameSearchCriteria: UserNameSearchCriteriaConstructor; + as_dto_space_Space: SpaceConstructor; + as_dto_space_create_CreateSpacesOperation: CreateSpacesOperationConstructor; + as_dto_space_create_CreateSpacesOperationResult: CreateSpacesOperationResultConstructor; + as_dto_space_create_SpaceCreation: SpaceCreationConstructor; + as_dto_space_delete_DeleteSpacesOperation: DeleteSpacesOperationConstructor; + as_dto_space_delete_DeleteSpacesOperationResult: DeleteSpacesOperationResultConstructor; + as_dto_space_delete_SpaceDeletionOptions: SpaceDeletionOptionsConstructor; + as_dto_space_fetchoptions_SpaceFetchOptions: SpaceFetchOptionsConstructor; + as_dto_space_fetchoptions_SpaceSortOptions: SpaceSortOptionsConstructor; + as_dto_space_get_GetSpacesOperation: GetSpacesOperationConstructor; + as_dto_space_get_GetSpacesOperationResult: GetSpacesOperationResultConstructor; + as_dto_space_id_SpacePermId: SpacePermIdConstructor; + as_dto_space_id_SpaceTechId: SpaceTechIdConstructor; + as_dto_space_search_NoSpaceSearchCriteria: NoSpaceSearchCriteriaConstructor; + as_dto_space_search_SearchSpacesOperation: SearchSpacesOperationConstructor; + as_dto_space_search_SearchSpacesOperationResult: SearchSpacesOperationResultConstructor; + as_dto_space_search_SpaceSearchCriteria: SpaceSearchCriteriaConstructor; + as_dto_space_update_SpaceUpdate: SpaceUpdateConstructor; + as_dto_space_update_UpdateSpacesOperation: UpdateSpacesOperationConstructor; + as_dto_space_update_UpdateSpacesOperationResult: UpdateSpacesOperationResultConstructor; + as_dto_tag_Tag: TagConstructor; + as_dto_tag_create_CreateTagsOperation: CreateTagsOperationConstructor; + as_dto_tag_create_CreateTagsOperationResult: CreateTagsOperationResultConstructor; + as_dto_tag_create_TagCreation: TagCreationConstructor; + as_dto_tag_delete_DeleteTagsOperation: DeleteTagsOperationConstructor; + as_dto_tag_delete_DeleteTagsOperationResult: DeleteTagsOperationResultConstructor; + as_dto_tag_delete_TagDeletionOptions: TagDeletionOptionsConstructor; + as_dto_tag_fetchoptions_TagFetchOptions: TagFetchOptionsConstructor; + as_dto_tag_fetchoptions_TagSortOptions: TagSortOptionsConstructor; + as_dto_tag_get_GetTagsOperation: GetTagsOperationConstructor; + as_dto_tag_get_GetTagsOperationResult: GetTagsOperationResultConstructor; + as_dto_tag_id_TagCode: TagCodeConstructor; + as_dto_tag_id_TagPermId: TagPermIdConstructor; + as_dto_tag_search_SearchTagsOperation: SearchTagsOperationConstructor; + as_dto_tag_search_SearchTagsOperationResult: SearchTagsOperationResultConstructor; + as_dto_tag_search_TagSearchCriteria: TagSearchCriteriaConstructor; + as_dto_tag_update_TagUpdate: TagUpdateConstructor; + as_dto_tag_update_UpdateTagsOperation: UpdateTagsOperationConstructor; + as_dto_tag_update_UpdateTagsOperationResult: UpdateTagsOperationResultConstructor; + as_dto_vocabulary_Vocabulary: VocabularyConstructor; + as_dto_vocabulary_VocabularyTerm: VocabularyTermConstructor; + as_dto_vocabulary_create_CreateVocabulariesOperation: CreateVocabulariesOperationConstructor; + as_dto_vocabulary_create_CreateVocabulariesOperationResult: CreateVocabulariesOperationResultConstructor; + as_dto_vocabulary_create_CreateVocabularyTermsOperation: CreateVocabularyTermsOperationConstructor; + as_dto_vocabulary_create_CreateVocabularyTermsOperationResult: CreateVocabularyTermsOperationResultConstructor; + as_dto_vocabulary_create_VocabularyCreation: VocabularyCreationConstructor; + as_dto_vocabulary_create_VocabularyTermCreation: VocabularyTermCreationConstructor; + as_dto_vocabulary_delete_DeleteVocabulariesOperation: DeleteVocabulariesOperationConstructor; + as_dto_vocabulary_delete_DeleteVocabulariesOperationResult: DeleteVocabulariesOperationResultConstructor; + as_dto_vocabulary_delete_DeleteVocabularyTermsOperation: DeleteVocabularyTermsOperationConstructor; + as_dto_vocabulary_delete_DeleteVocabularyTermsOperationResult: DeleteVocabularyTermsOperationResultConstructor; + as_dto_vocabulary_delete_VocabularyDeletionOptions: VocabularyDeletionOptionsConstructor; + as_dto_vocabulary_delete_VocabularyTermDeletionOptions: VocabularyTermDeletionOptionsConstructor; + as_dto_vocabulary_delete_VocabularyTermReplacement: VocabularyTermReplacementConstructor; + as_dto_vocabulary_fetchoptions_VocabularyFetchOptions: VocabularyFetchOptionsConstructor; + as_dto_vocabulary_fetchoptions_VocabularySortOptions: VocabularySortOptionsConstructor; + as_dto_vocabulary_fetchoptions_VocabularyTermFetchOptions: VocabularyTermFetchOptionsConstructor; + as_dto_vocabulary_fetchoptions_VocabularyTermSortOptions: VocabularyTermSortOptionsConstructor; + as_dto_vocabulary_get_GetVocabulariesOperation: GetVocabulariesOperationConstructor; + as_dto_vocabulary_get_GetVocabulariesOperationResult: GetVocabulariesOperationResultConstructor; + as_dto_vocabulary_get_GetVocabularyTermsOperation: GetVocabularyTermsOperationConstructor; + as_dto_vocabulary_get_GetVocabularyTermsOperationResult: GetVocabularyTermsOperationResultConstructor; + as_dto_vocabulary_id_VocabularyPermId: VocabularyPermIdConstructor; + as_dto_vocabulary_id_VocabularyTermPermId: VocabularyTermPermIdConstructor; + as_dto_vocabulary_search_SearchVocabulariesOperation: SearchVocabulariesOperationConstructor; + as_dto_vocabulary_search_SearchVocabulariesOperationResult: SearchVocabulariesOperationResultConstructor; + as_dto_vocabulary_search_SearchVocabularyTermsOperation: SearchVocabularyTermsOperationConstructor; + as_dto_vocabulary_search_SearchVocabularyTermsOperationResult: SearchVocabularyTermsOperationResultConstructor; + as_dto_vocabulary_search_VocabularySearchCriteria: VocabularySearchCriteriaConstructor; + as_dto_vocabulary_search_VocabularyTermSearchCriteria: VocabularyTermSearchCriteriaConstructor; + as_dto_vocabulary_update_UpdateVocabulariesOperation: UpdateVocabulariesOperationConstructor; + as_dto_vocabulary_update_UpdateVocabulariesOperationResult: UpdateVocabulariesOperationResultConstructor; + as_dto_vocabulary_update_UpdateVocabularyTermsOperation: UpdateVocabularyTermsOperationConstructor; + as_dto_vocabulary_update_UpdateVocabularyTermsOperationResult: UpdateVocabularyTermsOperationResultConstructor; + as_dto_vocabulary_update_VocabularyTermUpdate: VocabularyTermUpdateConstructor; + as_dto_vocabulary_update_VocabularyUpdate: VocabularyUpdateConstructor; + as_dto_webapp_WebAppSetting: WebAppSettingConstructor; + as_dto_webapp_WebAppSettings: WebAppSettingsConstructor; + as_dto_webapp_create_WebAppSettingCreation: WebAppSettingCreationConstructor; + as_dto_webapp_fetchoptions_WebAppSettingsFetchOptions: WebAppSettingsFetchOptionsConstructor; + as_dto_webapp_fetchoptions_WebAppSettingsSortOptions: WebAppSettingsSortOptionsConstructor; + as_dto_webapp_update_WebAppSettingsUpdateValue: WebAppSettingsUpdateValueConstructor; + dss_dto_dataset_create_FullDataSetCreation: FullDataSetCreationConstructor; + dss_dto_dataset_create_UploadedDataSetCreation: UploadedDataSetCreationConstructor; + dss_dto_datasetfile_DataSetFile: DataSetFileConstructor; + dss_dto_datasetfile_create_DataSetFileCreation: DataSetFileCreationConstructor; + dss_dto_datasetfile_fastdownload_FastDownloadSession: FastDownloadSessionConstructor; + dss_dto_datasetfile_fastdownload_FastDownloadSessionOptions: FastDownloadSessionOptionsConstructor; + dss_dto_datasetfile_fetchoptions_DataSetFileFetchOptions: DataSetFileFetchOptionsConstructor; + dss_dto_datasetfile_fetchoptions_DataSetFileSortOptions: DataSetFileSortOptionsConstructor; + dss_dto_datasetfile_id_DataSetFilePermId: DataSetFilePermIdConstructor; + dss_dto_datasetfile_search_DataSetFileSearchCriteria: DataSetFileSearchCriteriaConstructor; + dss_dto_service_CustomDSSService: CustomDSSServiceConstructor; + dss_dto_service_CustomDSSServiceExecutionOptions: CustomDSSServiceExecutionOptionsConstructor; + dss_dto_service_execute_AbstractExecutionOptionsWithParameters: dss_dto_service_execute_AbstractExecutionOptionsWithParametersConstructor; + dss_dto_service_execute_ExecuteCustomDSSServiceOperationResult: ExecuteCustomDSSServiceOperationResultConstructor; + dss_dto_service_fetchoptions_CustomDSSServiceFetchOptions: CustomDSSServiceFetchOptionsConstructor; + dss_dto_service_fetchoptions_CustomDSSServiceSortOptions: CustomDSSServiceSortOptionsConstructor; + dss_dto_service_id_CustomDssServiceCode: CustomDssServiceCodeConstructor; + openbis: OpenBISJavaScriptFacadeConstructor; + } + + interface dss_dto_common_operation_IOperationResult extends Serializable { + + getMessage(): string; + } + + interface dss_dto_service_execute_AbstractExecutionOptionsWithParameters<EO extends dss_dto_service_execute_AbstractExecutionOptionsWithParameters<EO, V>, V extends any> extends Serializable { + + getParameters(): { [index: string]: V }; + + withParameter(arg0: string, arg1: V): EO; + } + + /** + */ + interface dss_dto_service_execute_AbstractExecutionOptionsWithParametersConstructor { + + new <EO extends dss_dto_service_execute_AbstractExecutionOptionsWithParameters<EO, V>, V extends any>(): dss_dto_service_execute_AbstractExecutionOptionsWithParameters<EO, V>; + } + + const ArchivingStatus = { +ARCHIVED : "ARCHIVED", +ARCHIVE_PENDING : "ARCHIVE_PENDING", +AVAILABLE : "AVAILABLE", +BACKUP_PENDING : "BACKUP_PENDING", +LOCKED : "LOCKED", +UNARCHIVE_PENDING : "UNARCHIVE_PENDING"} as const + + const Attribute = { +ARCHIVING_STATUS : "ARCHIVING_STATUS", +AUTO_GENERATE_CODE : "AUTO_GENERATE_CODE", +AUTO_GENERATE_CODES : "AUTO_GENERATE_CODES", +CHILDREN : "CHILDREN", +CODE : "CODE", +DESCRIPTION : "DESCRIPTION", +DISALLOW_DELETION : "DISALLOW_DELETION", +EXPERIMENT : "EXPERIMENT", +GENERATED_CODE_PREFIX : "GENERATED_CODE_PREFIX", +GENERATE_CODES : "GENERATE_CODES", +IDENTIFIER : "IDENTIFIER", +LABEL : "LABEL", +MAIN_DATA_SET_PATH : "MAIN_DATA_SET_PATH", +MAIN_DATA_SET_PATTERN : "MAIN_DATA_SET_PATTERN", +MODIFICATION_DATE : "MODIFICATION_DATE", +MODIFIER : "MODIFIER", +ONTOLOGY_ANNOTATION_ID : "ONTOLOGY_ANNOTATION_ID", +ONTOLOGY_ID : "ONTOLOGY_ID", +ONTOLOGY_VERSION : "ONTOLOGY_VERSION", +PARENTS : "PARENTS", +PERM_ID : "PERM_ID", +PRESENT_IN_ARCHIVE : "PRESENT_IN_ARCHIVE", +PROJECT : "PROJECT", +REGISTRATION_DATE : "REGISTRATION_DATE", +REGISTRATOR : "REGISTRATOR", +SAMPLE : "SAMPLE", +SIZE : "SIZE", +SPACE : "SPACE", +STORAGE_CONFIRMATION : "STORAGE_CONFIRMATION", +UNIQUE_SUBCODES : "UNIQUE_SUBCODES", +URL_TEMPLATE : "URL_TEMPLATE", +VALIDATION_SCRIPT : "VALIDATION_SCRIPT", +VERSION : "VERSION"} as const + + const CacheMode = { +CACHE : "CACHE", +NO_CACHE : "NO_CACHE", +RELOAD_AND_CACHE : "RELOAD_AND_CACHE"} as const + + const Complete = { +NO : "NO", +UNKNOWN : "UNKNOWN", +YES : "YES"} as const + + const DataSetKind = { +CONTAINER : "CONTAINER", +LINK : "LINK", +PHYSICAL : "PHYSICAL"} as const + + const DataSetRelationType = { +CHILD : "CHILD", +COMPONENT : "COMPONENT", +CONTAINER : "CONTAINER", +EXPERIMENT : "EXPERIMENT", +PARENT : "PARENT", +SAMPLE : "SAMPLE"} as const + + const DataSetSearchRelation = { +CHILDREN : "CHILDREN", +CONTAINER : "CONTAINER", +DATASET : "DATASET", +PARENTS : "PARENTS"} as const + + const DataType = { +ARRAY_INTEGER : "ARRAY_INTEGER", +ARRAY_REAL : "ARRAY_REAL", +ARRAY_STRING : "ARRAY_STRING", +ARRAY_TIMESTAMP : "ARRAY_TIMESTAMP", +BOOLEAN : "BOOLEAN", +CONTROLLEDVOCABULARY : "CONTROLLEDVOCABULARY", +DATE : "DATE", +HYPERLINK : "HYPERLINK", +INTEGER : "INTEGER", +JSON : "JSON", +MATERIAL : "MATERIAL", +MULTILINE_VARCHAR : "MULTILINE_VARCHAR", +REAL : "REAL", +SAMPLE : "SAMPLE", +TIMESTAMP : "TIMESTAMP", +VARCHAR : "VARCHAR", +XML : "XML"} as const + + const EntityKind = { +DATA_SET : "DATA_SET", +EXPERIMENT : "EXPERIMENT", +MATERIAL : "MATERIAL", +SAMPLE : "SAMPLE"} as const + + const EntityType = { +ATTACHMENT : "ATTACHMENT", +AUTHORIZATION_GROUP : "AUTHORIZATION_GROUP", +DATA_SET : "DATA_SET", +EXPERIMENT : "EXPERIMENT", +MATERIAL : "MATERIAL", +PROJECT : "PROJECT", +PROPERTY_TYPE : "PROPERTY_TYPE", +SAMPLE : "SAMPLE", +SPACE : "SPACE", +TAG : "TAG", +VOCABULARY : "VOCABULARY"} as const + + const EventType = { +DELETION : "DELETION", +FREEZING : "FREEZING", +MOVEMENT : "MOVEMENT"} as const + + const ExperimentRelationType = { +DATA_SET : "DATA_SET", +PROJECT : "PROJECT", +SAMPLE : "SAMPLE"} as const + + const ExportFormat = { +DATA : "DATA", +HTML : "HTML", +PDF : "PDF", +XLSX : "XLSX"} as const + + const ExportableKind = { +DATASET : "DATASET", +DATASET_TYPE : "DATASET_TYPE", +EXPERIMENT : "EXPERIMENT", +EXPERIMENT_TYPE : "EXPERIMENT_TYPE", +PROJECT : "PROJECT", +SAMPLE : "SAMPLE", +SAMPLE_TYPE : "SAMPLE_TYPE", +SPACE : "SPACE", +VOCABULARY_TYPE : "VOCABULARY_TYPE"} as const + + const ExternalDmsAddressType = { +FILE_SYSTEM : "FILE_SYSTEM", +OPENBIS : "OPENBIS", +URL : "URL"} as const + + const GlobalSearchObjectKind = { +DATA_SET : "DATA_SET", +EXPERIMENT : "EXPERIMENT", +MATERIAL : "MATERIAL", +SAMPLE : "SAMPLE"} as const + + const ImportFormat = { +XLS : "XLS"} as const + + const ImportMode = { +FAIL_IF_EXISTS : "FAIL_IF_EXISTS", +IGNORE_EXISTING : "IGNORE_EXISTING", +UPDATE_IF_EXISTS : "UPDATE_IF_EXISTS"} as const + + const ObjectKind = { +AUTHORIZATION_GROUP : "AUTHORIZATION_GROUP", +DATASET_TYPE : "DATASET_TYPE", +DATA_SET : "DATA_SET", +DELETION : "DELETION", +EXPERIMENT : "EXPERIMENT", +EXPERIMENT_TYPE : "EXPERIMENT_TYPE", +FILE_FORMAT_TYPE : "FILE_FORMAT_TYPE", +GRID_CUSTOM_COLUMN : "GRID_CUSTOM_COLUMN", +GRID_CUSTOM_FILTER : "GRID_CUSTOM_FILTER", +MATERIAL : "MATERIAL", +MATERIAL_TYPE : "MATERIAL_TYPE", +METAPROJECT : "METAPROJECT", +PERSON : "PERSON", +PERSONAL_ACCESS_TOKEN : "PERSONAL_ACCESS_TOKEN", +POSTREGISTRATION_QUEUE : "POSTREGISTRATION_QUEUE", +PROJECT : "PROJECT", +PROPERTY_TYPE : "PROPERTY_TYPE", +PROPERTY_TYPE_ASSIGNMENT : "PROPERTY_TYPE_ASSIGNMENT", +QUERY : "QUERY", +ROLE_ASSIGNMENT : "ROLE_ASSIGNMENT", +SAMPLE : "SAMPLE", +SAMPLE_TYPE : "SAMPLE_TYPE", +SCRIPT : "SCRIPT", +SPACE : "SPACE", +VOCABULARY : "VOCABULARY", +VOCABULARY_TERM : "VOCABULARY_TERM"} as const + + const OperationExecutionAvailability = { +AVAILABLE : "AVAILABLE", +DELETED : "DELETED", +DELETE_PENDING : "DELETE_PENDING", +TIMED_OUT : "TIMED_OUT", +TIME_OUT_PENDING : "TIME_OUT_PENDING"} as const + + const OperationExecutionState = { +FAILED : "FAILED", +FINISHED : "FINISHED", +NEW : "NEW", +RUNNING : "RUNNING", +SCHEDULED : "SCHEDULED"} as const + + const OperationKind = { +CREATE_OR_DELETE : "CREATE_OR_DELETE", +UPDATE : "UPDATE"} as const + + const PluginKind = { +JYTHON : "JYTHON", +PREDEPLOYED : "PREDEPLOYED"} as const + + const PluginType = { +DYNAMIC_PROPERTY : "DYNAMIC_PROPERTY", +ENTITY_VALIDATION : "ENTITY_VALIDATION", +MANAGED_PROPERTY : "MANAGED_PROPERTY"} as const + + const ProjectRelationType = { +EXPERIMENT : "EXPERIMENT", +SAMPLE : "SAMPLE", +SPACE : "SPACE"} as const + + const QueryType = { +DATA_SET : "DATA_SET", +EXPERIMENT : "EXPERIMENT", +GENERIC : "GENERIC", +MATERIAL : "MATERIAL", +SAMPLE : "SAMPLE"} as const + + const Right = { +CREATE : "CREATE", +DELETE : "DELETE", +UPDATE : "UPDATE"} as const + + const Role = { +ADMIN : "ADMIN", +DISABLED : "DISABLED", +ETL_SERVER : "ETL_SERVER", +OBSERVER : "OBSERVER", +POWER_USER : "POWER_USER", +USER : "USER"} as const + + const RoleLevel = { +INSTANCE : "INSTANCE", +PROJECT : "PROJECT", +SPACE : "SPACE"} as const + + const SampleRelationType = { +CHILD : "CHILD", +COMPONENT : "COMPONENT", +CONTAINER : "CONTAINER", +DATA_SET : "DATA_SET", +EXPERIMENT : "EXPERIMENT", +PARENT : "PARENT", +PROJECT : "PROJECT", +SPACE : "SPACE"} as const + + const SampleSearchRelation = { +CHILDREN : "CHILDREN", +CONTAINER : "CONTAINER", +PARENTS : "PARENTS", +SAMPLE : "SAMPLE"} as const + + const SearchFieldType = { +ANY_FIELD : "ANY_FIELD", +ANY_PROPERTY : "ANY_PROPERTY", +ATTRIBUTE : "ATTRIBUTE", +PROPERTY : "PROPERTY"} as const + + const SearchOperator = { +AND : "AND", +OR : "OR"} as const + + const SortParameter = { +FULL_MATCH_CODE_BOOST : "FULL_MATCH_CODE_BOOST", +FULL_MATCH_PROPERTY_BOOST : "FULL_MATCH_PROPERTY_BOOST", +FULL_MATCH_TYPE_BOOST : "FULL_MATCH_TYPE_BOOST", +MATCH_VALUE : "MATCH_VALUE", +PARTIAL_MATCH_CODE_BOOST : "PARTIAL_MATCH_CODE_BOOST", +PARTIAL_MATCH_PROPERTY_BOOST : "PARTIAL_MATCH_PROPERTY_BOOST", +PREFIX_MATCH_VALUE : "PREFIX_MATCH_VALUE"} as const + + const XlsTextFormat = { +PLAIN : "PLAIN", +RICH : "RICH"} as const + + const as_dto_common_fetchoptions_CacheMode = { +CACHE : "CACHE", +NO_CACHE : "NO_CACHE", +RELOAD_AND_CACHE : "RELOAD_AND_CACHE"} as const + + const as_dto_common_fetchoptions_SortParameter = { +FULL_MATCH_CODE_BOOST : "FULL_MATCH_CODE_BOOST", +FULL_MATCH_PROPERTY_BOOST : "FULL_MATCH_PROPERTY_BOOST", +FULL_MATCH_TYPE_BOOST : "FULL_MATCH_TYPE_BOOST", +MATCH_VALUE : "MATCH_VALUE", +PARTIAL_MATCH_CODE_BOOST : "PARTIAL_MATCH_CODE_BOOST", +PARTIAL_MATCH_PROPERTY_BOOST : "PARTIAL_MATCH_PROPERTY_BOOST", +PREFIX_MATCH_VALUE : "PREFIX_MATCH_VALUE"} as const + + const as_dto_common_search_SearchFieldType = { +ANY_FIELD : "ANY_FIELD", +ANY_PROPERTY : "ANY_PROPERTY", +ATTRIBUTE : "ATTRIBUTE", +PROPERTY : "PROPERTY"} as const + + const as_dto_common_search_SearchOperator = { +AND : "AND", +OR : "OR"} as const + + const as_dto_dataset_ArchivingStatus = { +ARCHIVED : "ARCHIVED", +ARCHIVE_PENDING : "ARCHIVE_PENDING", +AVAILABLE : "AVAILABLE", +BACKUP_PENDING : "BACKUP_PENDING", +LOCKED : "LOCKED", +UNARCHIVE_PENDING : "UNARCHIVE_PENDING"} as const + + const as_dto_dataset_Complete = { +NO : "NO", +UNKNOWN : "UNKNOWN", +YES : "YES"} as const + + const as_dto_dataset_DataSetKind = { +CONTAINER : "CONTAINER", +LINK : "LINK", +PHYSICAL : "PHYSICAL"} as const + + const as_dto_dataset_history_DataSetRelationType = { +CHILD : "CHILD", +COMPONENT : "COMPONENT", +CONTAINER : "CONTAINER", +EXPERIMENT : "EXPERIMENT", +PARENT : "PARENT", +SAMPLE : "SAMPLE"} as const + + const as_dto_dataset_search_DataSetSearchRelation = { +CHILDREN : "CHILDREN", +CONTAINER : "CONTAINER", +DATASET : "DATASET", +PARENTS : "PARENTS"} as const + + const as_dto_entitytype_EntityKind = { +DATA_SET : "DATA_SET", +EXPERIMENT : "EXPERIMENT", +MATERIAL : "MATERIAL", +SAMPLE : "SAMPLE"} as const + + const as_dto_event_EntityType = { +ATTACHMENT : "ATTACHMENT", +AUTHORIZATION_GROUP : "AUTHORIZATION_GROUP", +DATA_SET : "DATA_SET", +EXPERIMENT : "EXPERIMENT", +MATERIAL : "MATERIAL", +PROJECT : "PROJECT", +PROPERTY_TYPE : "PROPERTY_TYPE", +SAMPLE : "SAMPLE", +SPACE : "SPACE", +TAG : "TAG", +VOCABULARY : "VOCABULARY"} as const + + const as_dto_event_EventType = { +DELETION : "DELETION", +FREEZING : "FREEZING", +MOVEMENT : "MOVEMENT"} as const + + const as_dto_experiment_history_ExperimentRelationType = { +DATA_SET : "DATA_SET", +PROJECT : "PROJECT", +SAMPLE : "SAMPLE"} as const + + const as_dto_exporter_data_Attribute = { +ARCHIVING_STATUS : "ARCHIVING_STATUS", +AUTO_GENERATE_CODE : "AUTO_GENERATE_CODE", +AUTO_GENERATE_CODES : "AUTO_GENERATE_CODES", +CHILDREN : "CHILDREN", +CODE : "CODE", +DESCRIPTION : "DESCRIPTION", +DISALLOW_DELETION : "DISALLOW_DELETION", +EXPERIMENT : "EXPERIMENT", +GENERATED_CODE_PREFIX : "GENERATED_CODE_PREFIX", +GENERATE_CODES : "GENERATE_CODES", +IDENTIFIER : "IDENTIFIER", +LABEL : "LABEL", +MAIN_DATA_SET_PATH : "MAIN_DATA_SET_PATH", +MAIN_DATA_SET_PATTERN : "MAIN_DATA_SET_PATTERN", +MODIFICATION_DATE : "MODIFICATION_DATE", +MODIFIER : "MODIFIER", +ONTOLOGY_ANNOTATION_ID : "ONTOLOGY_ANNOTATION_ID", +ONTOLOGY_ID : "ONTOLOGY_ID", +ONTOLOGY_VERSION : "ONTOLOGY_VERSION", +PARENTS : "PARENTS", +PERM_ID : "PERM_ID", +PRESENT_IN_ARCHIVE : "PRESENT_IN_ARCHIVE", +PROJECT : "PROJECT", +REGISTRATION_DATE : "REGISTRATION_DATE", +REGISTRATOR : "REGISTRATOR", +SAMPLE : "SAMPLE", +SIZE : "SIZE", +SPACE : "SPACE", +STORAGE_CONFIRMATION : "STORAGE_CONFIRMATION", +UNIQUE_SUBCODES : "UNIQUE_SUBCODES", +URL_TEMPLATE : "URL_TEMPLATE", +VALIDATION_SCRIPT : "VALIDATION_SCRIPT", +VERSION : "VERSION"} as const + + const as_dto_exporter_data_ExportableKind = { +DATASET : "DATASET", +DATASET_TYPE : "DATASET_TYPE", +EXPERIMENT : "EXPERIMENT", +EXPERIMENT_TYPE : "EXPERIMENT_TYPE", +PROJECT : "PROJECT", +SAMPLE : "SAMPLE", +SAMPLE_TYPE : "SAMPLE_TYPE", +SPACE : "SPACE", +VOCABULARY_TYPE : "VOCABULARY_TYPE"} as const + + const as_dto_exporter_options_ExportFormat = { +DATA : "DATA", +HTML : "HTML", +PDF : "PDF", +XLSX : "XLSX"} as const + + const as_dto_exporter_options_XlsTextFormat = { +PLAIN : "PLAIN", +RICH : "RICH"} as const + + const as_dto_externaldms_ExternalDmsAddressType = { +FILE_SYSTEM : "FILE_SYSTEM", +OPENBIS : "OPENBIS", +URL : "URL"} as const + + const as_dto_global_search_GlobalSearchObjectKind = { +DATA_SET : "DATA_SET", +EXPERIMENT : "EXPERIMENT", +MATERIAL : "MATERIAL", +SAMPLE : "SAMPLE"} as const + + const as_dto_importer_data_ImportFormat = { +XLS : "XLS"} as const + + const as_dto_importer_options_ImportMode = { +FAIL_IF_EXISTS : "FAIL_IF_EXISTS", +IGNORE_EXISTING : "IGNORE_EXISTING", +UPDATE_IF_EXISTS : "UPDATE_IF_EXISTS"} as const + + const as_dto_objectkindmodification_ObjectKind = { +AUTHORIZATION_GROUP : "AUTHORIZATION_GROUP", +DATASET_TYPE : "DATASET_TYPE", +DATA_SET : "DATA_SET", +DELETION : "DELETION", +EXPERIMENT : "EXPERIMENT", +EXPERIMENT_TYPE : "EXPERIMENT_TYPE", +FILE_FORMAT_TYPE : "FILE_FORMAT_TYPE", +GRID_CUSTOM_COLUMN : "GRID_CUSTOM_COLUMN", +GRID_CUSTOM_FILTER : "GRID_CUSTOM_FILTER", +MATERIAL : "MATERIAL", +MATERIAL_TYPE : "MATERIAL_TYPE", +METAPROJECT : "METAPROJECT", +PERSON : "PERSON", +PERSONAL_ACCESS_TOKEN : "PERSONAL_ACCESS_TOKEN", +POSTREGISTRATION_QUEUE : "POSTREGISTRATION_QUEUE", +PROJECT : "PROJECT", +PROPERTY_TYPE : "PROPERTY_TYPE", +PROPERTY_TYPE_ASSIGNMENT : "PROPERTY_TYPE_ASSIGNMENT", +QUERY : "QUERY", +ROLE_ASSIGNMENT : "ROLE_ASSIGNMENT", +SAMPLE : "SAMPLE", +SAMPLE_TYPE : "SAMPLE_TYPE", +SCRIPT : "SCRIPT", +SPACE : "SPACE", +VOCABULARY : "VOCABULARY", +VOCABULARY_TERM : "VOCABULARY_TERM"} as const + + const as_dto_objectkindmodification_OperationKind = { +CREATE_OR_DELETE : "CREATE_OR_DELETE", +UPDATE : "UPDATE"} as const + + const as_dto_operation_OperationExecutionAvailability = { +AVAILABLE : "AVAILABLE", +DELETED : "DELETED", +DELETE_PENDING : "DELETE_PENDING", +TIMED_OUT : "TIMED_OUT", +TIME_OUT_PENDING : "TIME_OUT_PENDING"} as const + + const as_dto_operation_OperationExecutionState = { +FAILED : "FAILED", +FINISHED : "FINISHED", +NEW : "NEW", +RUNNING : "RUNNING", +SCHEDULED : "SCHEDULED"} as const + + const as_dto_plugin_PluginKind = { +JYTHON : "JYTHON", +PREDEPLOYED : "PREDEPLOYED"} as const + + const as_dto_plugin_PluginType = { +DYNAMIC_PROPERTY : "DYNAMIC_PROPERTY", +ENTITY_VALIDATION : "ENTITY_VALIDATION", +MANAGED_PROPERTY : "MANAGED_PROPERTY"} as const + + const as_dto_project_history_ProjectRelationType = { +EXPERIMENT : "EXPERIMENT", +SAMPLE : "SAMPLE", +SPACE : "SPACE"} as const + + const as_dto_property_DataType = { +ARRAY_INTEGER : "ARRAY_INTEGER", +ARRAY_REAL : "ARRAY_REAL", +ARRAY_STRING : "ARRAY_STRING", +ARRAY_TIMESTAMP : "ARRAY_TIMESTAMP", +BOOLEAN : "BOOLEAN", +CONTROLLEDVOCABULARY : "CONTROLLEDVOCABULARY", +DATE : "DATE", +HYPERLINK : "HYPERLINK", +INTEGER : "INTEGER", +JSON : "JSON", +MATERIAL : "MATERIAL", +MULTILINE_VARCHAR : "MULTILINE_VARCHAR", +REAL : "REAL", +SAMPLE : "SAMPLE", +TIMESTAMP : "TIMESTAMP", +VARCHAR : "VARCHAR", +XML : "XML"} as const + + const as_dto_query_QueryType = { +DATA_SET : "DATA_SET", +EXPERIMENT : "EXPERIMENT", +GENERIC : "GENERIC", +MATERIAL : "MATERIAL", +SAMPLE : "SAMPLE"} as const + + const as_dto_rights_Right = { +CREATE : "CREATE", +DELETE : "DELETE", +UPDATE : "UPDATE"} as const + + const as_dto_roleassignment_Role = { +ADMIN : "ADMIN", +DISABLED : "DISABLED", +ETL_SERVER : "ETL_SERVER", +OBSERVER : "OBSERVER", +POWER_USER : "POWER_USER", +USER : "USER"} as const + + const as_dto_roleassignment_RoleLevel = { +INSTANCE : "INSTANCE", +PROJECT : "PROJECT", +SPACE : "SPACE"} as const + + const as_dto_sample_history_SampleRelationType = { +CHILD : "CHILD", +COMPONENT : "COMPONENT", +CONTAINER : "CONTAINER", +DATA_SET : "DATA_SET", +EXPERIMENT : "EXPERIMENT", +PARENT : "PARENT", +PROJECT : "PROJECT", +SPACE : "SPACE"} as const + + const as_dto_sample_search_SampleSearchRelation = { +CHILDREN : "CHILDREN", +CONTAINER : "CONTAINER", +PARENTS : "PARENTS", +SAMPLE : "SAMPLE"} as const + + export const AbstractCompositeSearchCriteria:AbstractCompositeSearchCriteriaConstructor + + export const AbstractEntity:AbstractEntityConstructor + + export const AbstractEntityCreation:AbstractEntityCreationConstructor + + export const AbstractEntityFetchOptions:AbstractEntityFetchOptionsConstructor + + export const AbstractEntityPropertyHolder:AbstractEntityPropertyHolderConstructor + + export const AbstractEntitySearchCriteria:AbstractEntitySearchCriteriaConstructor + + export const AbstractEntityTypeSearchCriteria:AbstractEntityTypeSearchCriteriaConstructor + + export const AbstractEntityUpdate:AbstractEntityUpdateConstructor + + export const AbstractFieldSearchCriteria:AbstractFieldSearchCriteriaConstructor + + export const AbstractNumberValue:AbstractNumberValueConstructor + + export const AbstractObjectDeletionOptions:AbstractObjectDeletionOptionsConstructor + + export const AbstractObjectSearchCriteria:AbstractObjectSearchCriteriaConstructor + + export const AbstractOperationExecutionOptions:AbstractOperationExecutionOptionsConstructor + + export const AbstractSearchCriteria:AbstractSearchCriteriaConstructor + + export const AddressSearchCriteria:AddressSearchCriteriaConstructor + + export const AggregationService:AggregationServiceConstructor + + export const AggregationServiceExecutionOptions:AggregationServiceExecutionOptionsConstructor + + export const AggregationServiceFetchOptions:AggregationServiceFetchOptionsConstructor + + export const AggregationServiceSearchCriteria:AggregationServiceSearchCriteriaConstructor + + export const AggregationServiceSortOptions:AggregationServiceSortOptionsConstructor + + export const AllFields:AllFieldsConstructor + + export const AnyStringValue:AnyStringValueConstructor + + export const ArchiveDataSetsOperation:ArchiveDataSetsOperationConstructor + + export const ArchiveDataSetsOperationResult:ArchiveDataSetsOperationResultConstructor + + export const ArchivingRequestedSearchCriteria:ArchivingRequestedSearchCriteriaConstructor + + export const AsynchronousOperationExecutionOptions:AsynchronousOperationExecutionOptionsConstructor + + export const AsynchronousOperationExecutionResults:AsynchronousOperationExecutionResultsConstructor + + export const Attachment:AttachmentConstructor + + export const AttachmentCreation:AttachmentCreationConstructor + + export const AttachmentFetchOptions:AttachmentFetchOptionsConstructor + + export const AttachmentFileName:AttachmentFileNameConstructor + + export const AttachmentListUpdateValue:AttachmentListUpdateValueConstructor + + export const AttachmentSortOptions:AttachmentSortOptionsConstructor + + export const AuthorizationGroup:AuthorizationGroupConstructor + + export const AuthorizationGroupCreation:AuthorizationGroupCreationConstructor + + export const AuthorizationGroupDeletionOptions:AuthorizationGroupDeletionOptionsConstructor + + export const AuthorizationGroupFetchOptions:AuthorizationGroupFetchOptionsConstructor + + export const AuthorizationGroupPermId:AuthorizationGroupPermIdConstructor + + export const AuthorizationGroupSearchCriteria:AuthorizationGroupSearchCriteriaConstructor + + export const AuthorizationGroupSortOptions:AuthorizationGroupSortOptionsConstructor + + export const AuthorizationGroupUpdate:AuthorizationGroupUpdateConstructor + + export const BdsDirectoryStorageFormatPermId:BdsDirectoryStorageFormatPermIdConstructor + + export const CodeSearchCriteria:CodeSearchCriteriaConstructor + + export const CodesSearchCriteria:CodesSearchCriteriaConstructor + + export const CollectionFieldSearchCriteria:CollectionFieldSearchCriteriaConstructor + + export const CompleteSearchCriteria:CompleteSearchCriteriaConstructor + + export const ConfirmDeletionsOperation:ConfirmDeletionsOperationConstructor + + export const ConfirmDeletionsOperationResult:ConfirmDeletionsOperationResultConstructor + + export const ContentCopy:ContentCopyConstructor + + export const ContentCopyCreation:ContentCopyCreationConstructor + + export const ContentCopyHistoryEntry:ContentCopyHistoryEntryConstructor + + export const ContentCopyListUpdateValue:ContentCopyListUpdateValueConstructor + + export const ContentCopyPermId:ContentCopyPermIdConstructor + + export const ContentCopySearchCriteria:ContentCopySearchCriteriaConstructor + + export const CreateAuthorizationGroupsOperation:CreateAuthorizationGroupsOperationConstructor + + export const CreateAuthorizationGroupsOperationResult:CreateAuthorizationGroupsOperationResultConstructor + + export const CreateCodesOperation:CreateCodesOperationConstructor + + export const CreateCodesOperationResult:CreateCodesOperationResultConstructor + + export const CreateDataSetTypesOperation:CreateDataSetTypesOperationConstructor + + export const CreateDataSetTypesOperationResult:CreateDataSetTypesOperationResultConstructor + + export const CreateDataSetUploadResult:CreateDataSetUploadResultConstructor + + export const CreateDataSetsOperation:CreateDataSetsOperationConstructor + + export const CreateDataSetsOperationResult:CreateDataSetsOperationResultConstructor + + export const CreateExperimentTypesOperation:CreateExperimentTypesOperationConstructor + + export const CreateExperimentTypesOperationResult:CreateExperimentTypesOperationResultConstructor + + export const CreateExperimentsOperation:CreateExperimentsOperationConstructor + + export const CreateExperimentsOperationResult:CreateExperimentsOperationResultConstructor + + export const CreateExternalDmsOperation:CreateExternalDmsOperationConstructor + + export const CreateExternalDmsOperationResult:CreateExternalDmsOperationResultConstructor + + export const CreateMaterialTypesOperation:CreateMaterialTypesOperationConstructor + + export const CreateMaterialTypesOperationResult:CreateMaterialTypesOperationResultConstructor + + export const CreateMaterialsOperation:CreateMaterialsOperationConstructor + + export const CreateMaterialsOperationResult:CreateMaterialsOperationResultConstructor + + export const CreateObjectsOperation:CreateObjectsOperationConstructor + + export const CreateObjectsOperationResult:CreateObjectsOperationResultConstructor + + export const CreatePermIdsOperation:CreatePermIdsOperationConstructor + + export const CreatePermIdsOperationResult:CreatePermIdsOperationResultConstructor + + export const CreatePersonalAccessTokensOperation:CreatePersonalAccessTokensOperationConstructor + + export const CreatePersonalAccessTokensOperationResult:CreatePersonalAccessTokensOperationResultConstructor + + export const CreatePersonsOperation:CreatePersonsOperationConstructor + + export const CreatePersonsOperationResult:CreatePersonsOperationResultConstructor + + export const CreatePluginsOperation:CreatePluginsOperationConstructor + + export const CreatePluginsOperationResult:CreatePluginsOperationResultConstructor + + export const CreateProjectsOperation:CreateProjectsOperationConstructor + + export const CreateProjectsOperationResult:CreateProjectsOperationResultConstructor + + export const CreatePropertyTypesOperation:CreatePropertyTypesOperationConstructor + + export const CreatePropertyTypesOperationResult:CreatePropertyTypesOperationResultConstructor + + export const CreateQueriesOperation:CreateQueriesOperationConstructor + + export const CreateQueriesOperationResult:CreateQueriesOperationResultConstructor + + export const CreateRoleAssignmentsOperation:CreateRoleAssignmentsOperationConstructor + + export const CreateRoleAssignmentsOperationResult:CreateRoleAssignmentsOperationResultConstructor + + export const CreateSampleTypesOperation:CreateSampleTypesOperationConstructor + + export const CreateSampleTypesOperationResult:CreateSampleTypesOperationResultConstructor + + export const CreateSamplesOperation:CreateSamplesOperationConstructor + + export const CreateSamplesOperationResult:CreateSamplesOperationResultConstructor + + export const CreateSemanticAnnotationsOperation:CreateSemanticAnnotationsOperationConstructor + + export const CreateSemanticAnnotationsOperationResult:CreateSemanticAnnotationsOperationResultConstructor + + export const CreateSpacesOperation:CreateSpacesOperationConstructor + + export const CreateSpacesOperationResult:CreateSpacesOperationResultConstructor + + export const CreateTagsOperation:CreateTagsOperationConstructor + + export const CreateTagsOperationResult:CreateTagsOperationResultConstructor + + export const CreateVocabulariesOperation:CreateVocabulariesOperationConstructor + + export const CreateVocabulariesOperationResult:CreateVocabulariesOperationResultConstructor + + export const CreateVocabularyTermsOperation:CreateVocabularyTermsOperationConstructor + + export const CreateVocabularyTermsOperationResult:CreateVocabularyTermsOperationResultConstructor + + export const CreationId:CreationIdConstructor + + export const CustomASService:CustomASServiceConstructor + + export const CustomASServiceCode:CustomASServiceCodeConstructor + + export const CustomASServiceExecutionOptions:CustomASServiceExecutionOptionsConstructor + + export const CustomASServiceFetchOptions:CustomASServiceFetchOptionsConstructor + + export const CustomASServiceSearchCriteria:CustomASServiceSearchCriteriaConstructor + + export const CustomASServiceSortOptions:CustomASServiceSortOptionsConstructor + + export const CustomDSSService:CustomDSSServiceConstructor + + export const CustomDSSServiceExecutionOptions:CustomDSSServiceExecutionOptionsConstructor + + export const CustomDSSServiceFetchOptions:CustomDSSServiceFetchOptionsConstructor + + export const CustomDSSServiceSortOptions:CustomDSSServiceSortOptionsConstructor + + export const CustomDssServiceCode:CustomDssServiceCodeConstructor + + export const DataSet:DataSetConstructor + + export const DataSetArchiveOptions:DataSetArchiveOptionsConstructor + + export const DataSetChildrenSearchCriteria:DataSetChildrenSearchCriteriaConstructor + + export const DataSetContainerSearchCriteria:DataSetContainerSearchCriteriaConstructor + + export const DataSetCreation:DataSetCreationConstructor + + export const DataSetDeletionOptions:DataSetDeletionOptionsConstructor + + export const DataSetFetchOptions:DataSetFetchOptionsConstructor + + export const DataSetFile:DataSetFileConstructor + + export const DataSetFileCreation:DataSetFileCreationConstructor + + export const DataSetFileFetchOptions:DataSetFileFetchOptionsConstructor + + export const DataSetFilePermId:DataSetFilePermIdConstructor + + export const DataSetFileSearchCriteria:DataSetFileSearchCriteriaConstructor + + export const DataSetFileSortOptions:DataSetFileSortOptionsConstructor + + export const DataSetLockOptions:DataSetLockOptionsConstructor + + export const DataSetParentsSearchCriteria:DataSetParentsSearchCriteriaConstructor + + export const DataSetPermId:DataSetPermIdConstructor + + export const DataSetSearchCriteria:DataSetSearchCriteriaConstructor + + export const DataSetSortOptions:DataSetSortOptionsConstructor + + export const DataSetType:DataSetTypeConstructor + + export const DataSetTypeCreation:DataSetTypeCreationConstructor + + export const DataSetTypeDeletionOptions:DataSetTypeDeletionOptionsConstructor + + export const DataSetTypeFetchOptions:DataSetTypeFetchOptionsConstructor + + export const DataSetTypeSearchCriteria:DataSetTypeSearchCriteriaConstructor + + export const DataSetTypeSortOptions:DataSetTypeSortOptionsConstructor + + export const DataSetTypeUpdate:DataSetTypeUpdateConstructor + + export const DataSetUnarchiveOptions:DataSetUnarchiveOptionsConstructor + + export const DataSetUnlockOptions:DataSetUnlockOptionsConstructor + + export const DataSetUpdate:DataSetUpdateConstructor + + export const DataStore:DataStoreConstructor + + export const DataStoreFetchOptions:DataStoreFetchOptionsConstructor + + export const DataStorePermId:DataStorePermIdConstructor + + export const DataStoreSearchCriteria:DataStoreSearchCriteriaConstructor + + export const DataStoreSortOptions:DataStoreSortOptionsConstructor + + export const DatabaseIdSearchCriteria:DatabaseIdSearchCriteriaConstructor + + export const DateEarlierThanOrEqualToValue:DateEarlierThanOrEqualToValueConstructor + + export const DateEarlierThanValue:DateEarlierThanValueConstructor + + export const DateEqualToValue:DateEqualToValueConstructor + + export const DateLaterThanOrEqualToValue:DateLaterThanOrEqualToValueConstructor + + export const DateLaterThanValue:DateLaterThanValueConstructor + + export const DateObjectEarlierThanOrEqualToValue:DateObjectEarlierThanOrEqualToValueConstructor + + export const DateObjectEarlierThanValue:DateObjectEarlierThanValueConstructor + + export const DateObjectEqualToValue:DateObjectEqualToValueConstructor + + export const DateObjectLaterThanOrEqualToValue:DateObjectLaterThanOrEqualToValueConstructor + + export const DateObjectLaterThanValue:DateObjectLaterThanValueConstructor + + export const DeleteAuthorizationGroupsOperation:DeleteAuthorizationGroupsOperationConstructor + + export const DeleteAuthorizationGroupsOperationResult:DeleteAuthorizationGroupsOperationResultConstructor + + export const DeleteDataSetTypesOperation:DeleteDataSetTypesOperationConstructor + + export const DeleteDataSetTypesOperationResult:DeleteDataSetTypesOperationResultConstructor + + export const DeleteDataSetsOperation:DeleteDataSetsOperationConstructor + + export const DeleteDataSetsOperationResult:DeleteDataSetsOperationResultConstructor + + export const DeleteExperimentTypesOperation:DeleteExperimentTypesOperationConstructor + + export const DeleteExperimentTypesOperationResult:DeleteExperimentTypesOperationResultConstructor + + export const DeleteExperimentsOperation:DeleteExperimentsOperationConstructor + + export const DeleteExperimentsOperationResult:DeleteExperimentsOperationResultConstructor + + export const DeleteExternalDmsOperation:DeleteExternalDmsOperationConstructor + + export const DeleteExternalDmsOperationResult:DeleteExternalDmsOperationResultConstructor + + export const DeleteMaterialTypesOperation:DeleteMaterialTypesOperationConstructor + + export const DeleteMaterialTypesOperationResult:DeleteMaterialTypesOperationResultConstructor + + export const DeleteMaterialsOperation:DeleteMaterialsOperationConstructor + + export const DeleteMaterialsOperationResult:DeleteMaterialsOperationResultConstructor + + export const DeleteObjectsOperation:DeleteObjectsOperationConstructor + + export const DeleteObjectsOperationResult:DeleteObjectsOperationResultConstructor + + export const DeleteObjectsWithTrashOperationResult:DeleteObjectsWithTrashOperationResultConstructor + + export const DeleteObjectsWithoutTrashOperationResult:DeleteObjectsWithoutTrashOperationResultConstructor + + export const DeleteOperationExecutionsOperation:DeleteOperationExecutionsOperationConstructor + + export const DeleteOperationExecutionsOperationResult:DeleteOperationExecutionsOperationResultConstructor + + export const DeletePersonalAccessTokensOperation:DeletePersonalAccessTokensOperationConstructor + + export const DeletePersonalAccessTokensOperationResult:DeletePersonalAccessTokensOperationResultConstructor + + export const DeletePersonsOperation:DeletePersonsOperationConstructor + + export const DeletePersonsOperationResult:DeletePersonsOperationResultConstructor + + export const DeletePluginsOperation:DeletePluginsOperationConstructor + + export const DeletePluginsOperationResult:DeletePluginsOperationResultConstructor + + export const DeleteProjectsOperation:DeleteProjectsOperationConstructor + + export const DeleteProjectsOperationResult:DeleteProjectsOperationResultConstructor + + export const DeletePropertyTypesOperation:DeletePropertyTypesOperationConstructor + + export const DeletePropertyTypesOperationResult:DeletePropertyTypesOperationResultConstructor + + export const DeleteQueriesOperation:DeleteQueriesOperationConstructor + + export const DeleteQueriesOperationResult:DeleteQueriesOperationResultConstructor + + export const DeleteRoleAssignmentsOperation:DeleteRoleAssignmentsOperationConstructor + + export const DeleteRoleAssignmentsOperationResult:DeleteRoleAssignmentsOperationResultConstructor + + export const DeleteSampleTypesOperation:DeleteSampleTypesOperationConstructor + + export const DeleteSampleTypesOperationResult:DeleteSampleTypesOperationResultConstructor + + export const DeleteSamplesOperation:DeleteSamplesOperationConstructor + + export const DeleteSamplesOperationResult:DeleteSamplesOperationResultConstructor + + export const DeleteSemanticAnnotationsOperation:DeleteSemanticAnnotationsOperationConstructor + + export const DeleteSemanticAnnotationsOperationResult:DeleteSemanticAnnotationsOperationResultConstructor + + export const DeleteSpacesOperation:DeleteSpacesOperationConstructor + + export const DeleteSpacesOperationResult:DeleteSpacesOperationResultConstructor + + export const DeleteTagsOperation:DeleteTagsOperationConstructor + + export const DeleteTagsOperationResult:DeleteTagsOperationResultConstructor + + export const DeleteVocabulariesOperation:DeleteVocabulariesOperationConstructor + + export const DeleteVocabulariesOperationResult:DeleteVocabulariesOperationResultConstructor + + export const DeleteVocabularyTermsOperation:DeleteVocabularyTermsOperationConstructor + + export const DeleteVocabularyTermsOperationResult:DeleteVocabularyTermsOperationResultConstructor + + export const DeletedObject:DeletedObjectConstructor + + export const DeletedObjectFetchOptions:DeletedObjectFetchOptionsConstructor + + export const Deletion:DeletionConstructor + + export const DeletionFetchOptions:DeletionFetchOptionsConstructor + + export const DeletionSearchCriteria:DeletionSearchCriteriaConstructor + + export const DeletionSortOptions:DeletionSortOptionsConstructor + + export const DeletionTechId:DeletionTechIdConstructor + + export const DescriptionSearchCriteria:DescriptionSearchCriteriaConstructor + + export const DescriptorAccessionIdSearchCriteria:DescriptorAccessionIdSearchCriteriaConstructor + + export const DescriptorOntologyIdSearchCriteria:DescriptorOntologyIdSearchCriteriaConstructor + + export const DescriptorOntologyVersionSearchCriteria:DescriptorOntologyVersionSearchCriteriaConstructor + + export const DssServicePermId:DssServicePermIdConstructor + + export const DynamicPropertyPluginEvaluationOptions:DynamicPropertyPluginEvaluationOptionsConstructor + + export const DynamicPropertyPluginEvaluationResult:DynamicPropertyPluginEvaluationResultConstructor + + export const EmailSearchCriteria:EmailSearchCriteriaConstructor + + export const EmptyFetchOptions:EmptyFetchOptionsConstructor + + export const EntityKindSearchCriteria:EntityKindSearchCriteriaConstructor + + export const EntitySortOptions:EntitySortOptionsConstructor + + export const EntityTypeCodePatternSearchCriteria:EntityTypeCodePatternSearchCriteriaConstructor + + export const EntityTypeFetchOptions:EntityTypeFetchOptionsConstructor + + export const EntityTypePermId:EntityTypePermIdConstructor + + export const EntityTypeSearchCriteria:EntityTypeSearchCriteriaConstructor + + export const EntityTypeSortOptions:EntityTypeSortOptionsConstructor + + export const EntityValidationPluginEvaluationOptions:EntityValidationPluginEvaluationOptionsConstructor + + export const EntityValidationPluginEvaluationResult:EntityValidationPluginEvaluationResultConstructor + + export const EntityWithPropertiesSortOptions:EntityWithPropertiesSortOptionsConstructor + + export const EvaluatePluginOperation:EvaluatePluginOperationConstructor + + export const EvaluatePluginOperationResult:EvaluatePluginOperationResultConstructor + + export const Event:EventConstructor + + export const EventDescriptionSearchCriteria:EventDescriptionSearchCriteriaConstructor + + export const EventEntityProjectIdSearchCriteria:EventEntityProjectIdSearchCriteriaConstructor + + export const EventEntityProjectSearchCriteria:EventEntityProjectSearchCriteriaConstructor + + export const EventEntityRegistrationDateSearchCriteria:EventEntityRegistrationDateSearchCriteriaConstructor + + export const EventEntityRegistratorSearchCriteria:EventEntityRegistratorSearchCriteriaConstructor + + export const EventEntitySpaceIdSearchCriteria:EventEntitySpaceIdSearchCriteriaConstructor + + export const EventEntitySpaceSearchCriteria:EventEntitySpaceSearchCriteriaConstructor + + export const EventEntityTypeSearchCriteria:EventEntityTypeSearchCriteriaConstructor + + export const EventFetchOptions:EventFetchOptionsConstructor + + export const EventIdentifierSearchCriteria:EventIdentifierSearchCriteriaConstructor + + export const EventReasonSearchCriteria:EventReasonSearchCriteriaConstructor + + export const EventSearchCriteria:EventSearchCriteriaConstructor + + export const EventSortOptions:EventSortOptionsConstructor + + export const EventTechId:EventTechIdConstructor + + export const EventTypeSearchCriteria:EventTypeSearchCriteriaConstructor + + export const ExecuteAggregationServiceOperation:ExecuteAggregationServiceOperationConstructor + + export const ExecuteAggregationServiceOperationResult:ExecuteAggregationServiceOperationResultConstructor + + export const ExecuteCustomASServiceOperation:ExecuteCustomASServiceOperationConstructor + + export const ExecuteCustomASServiceOperationResult:ExecuteCustomASServiceOperationResultConstructor + + export const ExecuteCustomDSSServiceOperationResult:ExecuteCustomDSSServiceOperationResultConstructor + + export const ExecuteProcessingServiceOperation:ExecuteProcessingServiceOperationConstructor + + export const ExecuteProcessingServiceOperationResult:ExecuteProcessingServiceOperationResultConstructor + + export const ExecuteQueryOperation:ExecuteQueryOperationConstructor + + export const ExecuteQueryOperationResult:ExecuteQueryOperationResultConstructor + + export const ExecuteReportingServiceOperation:ExecuteReportingServiceOperationConstructor + + export const ExecuteReportingServiceOperationResult:ExecuteReportingServiceOperationResultConstructor + + export const ExecuteSearchDomainServiceOperation:ExecuteSearchDomainServiceOperationConstructor + + export const ExecuteSearchDomainServiceOperationResult:ExecuteSearchDomainServiceOperationResultConstructor + + export const ExecuteSqlOperation:ExecuteSqlOperationConstructor + + export const ExecuteSqlOperationResult:ExecuteSqlOperationResultConstructor + + export const Experiment:ExperimentConstructor + + export const ExperimentCreation:ExperimentCreationConstructor + + export const ExperimentDeletionOptions:ExperimentDeletionOptionsConstructor + + export const ExperimentFetchOptions:ExperimentFetchOptionsConstructor + + export const ExperimentIdentifier:ExperimentIdentifierConstructor + + export const ExperimentPermId:ExperimentPermIdConstructor + + export const ExperimentSearchCriteria:ExperimentSearchCriteriaConstructor + + export const ExperimentSortOptions:ExperimentSortOptionsConstructor + + export const ExperimentType:ExperimentTypeConstructor + + export const ExperimentTypeCreation:ExperimentTypeCreationConstructor + + export const ExperimentTypeDeletionOptions:ExperimentTypeDeletionOptionsConstructor + + export const ExperimentTypeFetchOptions:ExperimentTypeFetchOptionsConstructor + + export const ExperimentTypeSearchCriteria:ExperimentTypeSearchCriteriaConstructor + + export const ExperimentTypeSortOptions:ExperimentTypeSortOptionsConstructor + + export const ExperimentTypeUpdate:ExperimentTypeUpdateConstructor + + export const ExperimentUpdate:ExperimentUpdateConstructor + + export const ExportData:ExportDataConstructor + + export const ExportOperation:ExportOperationConstructor + + export const ExportOperationResult:ExportOperationResultConstructor + + export const ExportOptions:ExportOptionsConstructor + + export const ExportResult:ExportResultConstructor + + export const ExportablePermId:ExportablePermIdConstructor + + export const ExternalCodeSearchCriteria:ExternalCodeSearchCriteriaConstructor + + export const ExternalDms:ExternalDmsConstructor + + export const ExternalDmsCreation:ExternalDmsCreationConstructor + + export const ExternalDmsDeletionOptions:ExternalDmsDeletionOptionsConstructor + + export const ExternalDmsFetchOptions:ExternalDmsFetchOptionsConstructor + + export const ExternalDmsPermId:ExternalDmsPermIdConstructor + + export const ExternalDmsSortOptions:ExternalDmsSortOptionsConstructor + + export const ExternalDmsTypeSearchCriteria:ExternalDmsTypeSearchCriteriaConstructor + + export const ExternalDmsUpdate:ExternalDmsUpdateConstructor + + export const FastDownloadSession:FastDownloadSessionConstructor + + export const FastDownloadSessionOptions:FastDownloadSessionOptionsConstructor + + export const FetchOptions:FetchOptionsConstructor + + export const FieldUpdateValue:FieldUpdateValueConstructor + + export const FileFormatType:FileFormatTypeConstructor + + export const FileFormatTypeFetchOptions:FileFormatTypeFetchOptionsConstructor + + export const FileFormatTypePermId:FileFormatTypePermIdConstructor + + export const FileFormatTypeSearchCriteria:FileFormatTypeSearchCriteriaConstructor + + export const FileFormatTypeSortOptions:FileFormatTypeSortOptionsConstructor + + export const FirstNameSearchCriteria:FirstNameSearchCriteriaConstructor + + export const FullDataSetCreation:FullDataSetCreationConstructor + + export const GetAuthorizationGroupsOperation:GetAuthorizationGroupsOperationConstructor + + export const GetAuthorizationGroupsOperationResult:GetAuthorizationGroupsOperationResultConstructor + + export const GetDataSetTypesOperation:GetDataSetTypesOperationConstructor + + export const GetDataSetTypesOperationResult:GetDataSetTypesOperationResultConstructor + + export const GetDataSetsOperation:GetDataSetsOperationConstructor + + export const GetDataSetsOperationResult:GetDataSetsOperationResultConstructor + + export const GetExperimentTypesOperation:GetExperimentTypesOperationConstructor + + export const GetExperimentTypesOperationResult:GetExperimentTypesOperationResultConstructor + + export const GetExperimentsOperation:GetExperimentsOperationConstructor + + export const GetExperimentsOperationResult:GetExperimentsOperationResultConstructor + + export const GetExternalDmsOperation:GetExternalDmsOperationConstructor + + export const GetExternalDmsOperationResult:GetExternalDmsOperationResultConstructor + + export const GetMaterialTypesOperation:GetMaterialTypesOperationConstructor + + export const GetMaterialTypesOperationResult:GetMaterialTypesOperationResultConstructor + + export const GetMaterialsOperation:GetMaterialsOperationConstructor + + export const GetMaterialsOperationResult:GetMaterialsOperationResultConstructor + + export const GetObjectsOperation:GetObjectsOperationConstructor + + export const GetObjectsOperationResult:GetObjectsOperationResultConstructor + + export const GetOperationExecutionsOperation:GetOperationExecutionsOperationConstructor + + export const GetOperationExecutionsOperationResult:GetOperationExecutionsOperationResultConstructor + + export const GetPersonalAccessTokensOperation:GetPersonalAccessTokensOperationConstructor + + export const GetPersonalAccessTokensOperationResult:GetPersonalAccessTokensOperationResultConstructor + + export const GetPersonsOperation:GetPersonsOperationConstructor + + export const GetPersonsOperationResult:GetPersonsOperationResultConstructor + + export const GetPluginsOperation:GetPluginsOperationConstructor + + export const GetPluginsOperationResult:GetPluginsOperationResultConstructor + + export const GetProjectsOperation:GetProjectsOperationConstructor + + export const GetProjectsOperationResult:GetProjectsOperationResultConstructor + + export const GetPropertyTypesOperation:GetPropertyTypesOperationConstructor + + export const GetPropertyTypesOperationResult:GetPropertyTypesOperationResultConstructor + + export const GetQueriesOperation:GetQueriesOperationConstructor + + export const GetQueriesOperationResult:GetQueriesOperationResultConstructor + + export const GetQueryDatabasesOperation:GetQueryDatabasesOperationConstructor + + export const GetQueryDatabasesOperationResult:GetQueryDatabasesOperationResultConstructor + + export const GetRightsOperation:GetRightsOperationConstructor + + export const GetRightsOperationResult:GetRightsOperationResultConstructor + + export const GetRoleAssignmentsOperation:GetRoleAssignmentsOperationConstructor + + export const GetRoleAssignmentsOperationResult:GetRoleAssignmentsOperationResultConstructor + + export const GetSampleTypesOperation:GetSampleTypesOperationConstructor + + export const GetSampleTypesOperationResult:GetSampleTypesOperationResultConstructor + + export const GetSamplesOperation:GetSamplesOperationConstructor + + export const GetSamplesOperationResult:GetSamplesOperationResultConstructor + + export const GetSemanticAnnotationsOperation:GetSemanticAnnotationsOperationConstructor + + export const GetSemanticAnnotationsOperationResult:GetSemanticAnnotationsOperationResultConstructor + + export const GetServerInformationOperation:GetServerInformationOperationConstructor + + export const GetServerInformationOperationResult:GetServerInformationOperationResultConstructor + + export const GetServerPublicInformationOperation:GetServerPublicInformationOperationConstructor + + export const GetServerPublicInformationOperationResult:GetServerPublicInformationOperationResultConstructor + + export const GetSessionInformationOperation:GetSessionInformationOperationConstructor + + export const GetSessionInformationOperationResult:GetSessionInformationOperationResultConstructor + + export const GetSpacesOperation:GetSpacesOperationConstructor + + export const GetSpacesOperationResult:GetSpacesOperationResultConstructor + + export const GetTagsOperation:GetTagsOperationConstructor + + export const GetTagsOperationResult:GetTagsOperationResultConstructor + + export const GetVocabulariesOperation:GetVocabulariesOperationConstructor + + export const GetVocabulariesOperationResult:GetVocabulariesOperationResultConstructor + + export const GetVocabularyTermsOperation:GetVocabularyTermsOperationConstructor + + export const GetVocabularyTermsOperationResult:GetVocabularyTermsOperationResultConstructor + + export const GitCommitHashSearchCriteria:GitCommitHashSearchCriteriaConstructor + + export const GitRepositoryIdSearchCriteria:GitRepositoryIdSearchCriteriaConstructor + + export const GlobalSearchCriteria:GlobalSearchCriteriaConstructor + + export const GlobalSearchObject:GlobalSearchObjectConstructor + + export const GlobalSearchObjectFetchOptions:GlobalSearchObjectFetchOptionsConstructor + + export const GlobalSearchObjectKindCriteria:GlobalSearchObjectKindCriteriaConstructor + + export const GlobalSearchObjectSortOptions:GlobalSearchObjectSortOptionsConstructor + + export const GlobalSearchTextCriteria:GlobalSearchTextCriteriaConstructor + + export const GlobalSearchWildCardsCriteria:GlobalSearchWildCardsCriteriaConstructor + + export const HistoryEntry:HistoryEntryConstructor + + export const HistoryEntryFetchOptions:HistoryEntryFetchOptionsConstructor + + export const HistoryEntrySortOptions:HistoryEntrySortOptionsConstructor + + export const IdListUpdateValue:IdListUpdateValueConstructor + + export const IdSearchCriteria:IdSearchCriteriaConstructor + + export const IdentifierSearchCriteria:IdentifierSearchCriteriaConstructor + + export const IdsSearchCriteria:IdsSearchCriteriaConstructor + + export const ImportOperation:ImportOperationConstructor + + export const ImportOperationResult:ImportOperationResultConstructor + + export const ImportOptions:ImportOptionsConstructor + + export const ImportScript:ImportScriptConstructor + + export const ImportValue:ImportValueConstructor + + export const LabelSearchCriteria:LabelSearchCriteriaConstructor + + export const LastNameSearchCriteria:LastNameSearchCriteriaConstructor + + export const LinkedData:LinkedDataConstructor + + export const LinkedDataCreation:LinkedDataCreationConstructor + + export const LinkedDataFetchOptions:LinkedDataFetchOptionsConstructor + + export const LinkedDataSearchCriteria:LinkedDataSearchCriteriaConstructor + + export const LinkedDataSortOptions:LinkedDataSortOptionsConstructor + + export const LinkedDataUpdate:LinkedDataUpdateConstructor + + export const ListUpdateAction:ListUpdateActionConstructor + + export const ListUpdateActionAdd:ListUpdateActionAddConstructor + + export const ListUpdateActionRemove:ListUpdateActionRemoveConstructor + + export const ListUpdateActionSet:ListUpdateActionSetConstructor + + export const ListUpdateMapValues:ListUpdateMapValuesConstructor + + export const ListUpdateValue:ListUpdateValueConstructor + + export const ListableSampleTypeSearchCriteria:ListableSampleTypeSearchCriteriaConstructor + + export const LocationSearchCriteria:LocationSearchCriteriaConstructor + + export const LocatorType:LocatorTypeConstructor + + export const LocatorTypeFetchOptions:LocatorTypeFetchOptionsConstructor + + export const LocatorTypePermId:LocatorTypePermIdConstructor + + export const LocatorTypeSearchCriteria:LocatorTypeSearchCriteriaConstructor + + export const LocatorTypeSortOptions:LocatorTypeSortOptionsConstructor + + export const LockDataSetsOperation:LockDataSetsOperationConstructor + + export const LockDataSetsOperationResult:LockDataSetsOperationResultConstructor + + export const LongDateFormat:LongDateFormatConstructor + + export const MatchFetchOptions:MatchFetchOptionsConstructor + + export const Material:MaterialConstructor + + export const MaterialCreation:MaterialCreationConstructor + + export const MaterialDeletionOptions:MaterialDeletionOptionsConstructor + + export const MaterialFetchOptions:MaterialFetchOptionsConstructor + + export const MaterialPermId:MaterialPermIdConstructor + + export const MaterialSearchCriteria:MaterialSearchCriteriaConstructor + + export const MaterialSortOptions:MaterialSortOptionsConstructor + + export const MaterialType:MaterialTypeConstructor + + export const MaterialTypeCreation:MaterialTypeCreationConstructor + + export const MaterialTypeDeletionOptions:MaterialTypeDeletionOptionsConstructor + + export const MaterialTypeFetchOptions:MaterialTypeFetchOptionsConstructor + + export const MaterialTypeSearchCriteria:MaterialTypeSearchCriteriaConstructor + + export const MaterialTypeSortOptions:MaterialTypeSortOptionsConstructor + + export const MaterialTypeUpdate:MaterialTypeUpdateConstructor + + export const MaterialUpdate:MaterialUpdateConstructor + + export const Me:MeConstructor + + export const ModifierSearchCriteria:ModifierSearchCriteriaConstructor + + export const NameSearchCriteria:NameSearchCriteriaConstructor + + export const NoExperimentSearchCriteria:NoExperimentSearchCriteriaConstructor + + export const NoProjectSearchCriteria:NoProjectSearchCriteriaConstructor + + export const NoSampleContainerSearchCriteria:NoSampleContainerSearchCriteriaConstructor + + export const NoSampleSearchCriteria:NoSampleSearchCriteriaConstructor + + export const NoSpaceSearchCriteria:NoSpaceSearchCriteriaConstructor + + export const NormalDateFormat:NormalDateFormatConstructor + + export const NumberEqualToValue:NumberEqualToValueConstructor + + export const NumberGreaterThanOrEqualToValue:NumberGreaterThanOrEqualToValueConstructor + + export const NumberGreaterThanValue:NumberGreaterThanValueConstructor + + export const NumberLessThanOrEqualToValue:NumberLessThanOrEqualToValueConstructor + + export const NumberLessThanValue:NumberLessThanValueConstructor + + export const ObjectIdentifier:ObjectIdentifierConstructor + + export const ObjectKindCriteria:ObjectKindCriteriaConstructor + + export const ObjectKindModification:ObjectKindModificationConstructor + + export const ObjectKindModificationFetchOptions:ObjectKindModificationFetchOptionsConstructor + + export const ObjectKindModificationSearchCriteria:ObjectKindModificationSearchCriteriaConstructor + + export const ObjectKindModificationSortOptions:ObjectKindModificationSortOptionsConstructor + + export const ObjectPermId:ObjectPermIdConstructor + + export const ObjectTechId:ObjectTechIdConstructor + + export const OpenBISJavaScriptFacade:OpenBISJavaScriptFacadeConstructor + + export const OperationExecution:OperationExecutionConstructor + + export const OperationExecutionDeletionOptions:OperationExecutionDeletionOptionsConstructor + + export const OperationExecutionDetails:OperationExecutionDetailsConstructor + + export const OperationExecutionDetailsFetchOptions:OperationExecutionDetailsFetchOptionsConstructor + + export const OperationExecutionDetailsSortOptions:OperationExecutionDetailsSortOptionsConstructor + + export const OperationExecutionEmailNotification:OperationExecutionEmailNotificationConstructor + + export const OperationExecutionError:OperationExecutionErrorConstructor + + export const OperationExecutionFetchOptions:OperationExecutionFetchOptionsConstructor + + export const OperationExecutionNotificationFetchOptions:OperationExecutionNotificationFetchOptionsConstructor + + export const OperationExecutionNotificationSortOptions:OperationExecutionNotificationSortOptionsConstructor + + export const OperationExecutionPermId:OperationExecutionPermIdConstructor + + export const OperationExecutionProgress:OperationExecutionProgressConstructor + + export const OperationExecutionSearchCriteria:OperationExecutionSearchCriteriaConstructor + + export const OperationExecutionSortOptions:OperationExecutionSortOptionsConstructor + + export const OperationExecutionSummary:OperationExecutionSummaryConstructor + + export const OperationExecutionSummaryFetchOptions:OperationExecutionSummaryFetchOptionsConstructor + + export const OperationExecutionSummarySortOptions:OperationExecutionSummarySortOptionsConstructor + + export const OperationExecutionUpdate:OperationExecutionUpdateConstructor + + export const OperationKindCriteria:OperationKindCriteriaConstructor + + export const PathSearchCriteria:PathSearchCriteriaConstructor + + export const PermIdSearchCriteria:PermIdSearchCriteriaConstructor + + export const Person:PersonConstructor + + export const PersonCreation:PersonCreationConstructor + + export const PersonDeletionOptions:PersonDeletionOptionsConstructor + + export const PersonFetchOptions:PersonFetchOptionsConstructor + + export const PersonPermId:PersonPermIdConstructor + + export const PersonSearchCriteria:PersonSearchCriteriaConstructor + + export const PersonSortOptions:PersonSortOptionsConstructor + + export const PersonUpdate:PersonUpdateConstructor + + export const PersonalAccessToken:PersonalAccessTokenConstructor + + export const PersonalAccessTokenCreation:PersonalAccessTokenCreationConstructor + + export const PersonalAccessTokenDeletionOptions:PersonalAccessTokenDeletionOptionsConstructor + + export const PersonalAccessTokenFetchOptions:PersonalAccessTokenFetchOptionsConstructor + + export const PersonalAccessTokenOwnerSearchCriteria:PersonalAccessTokenOwnerSearchCriteriaConstructor + + export const PersonalAccessTokenPermId:PersonalAccessTokenPermIdConstructor + + export const PersonalAccessTokenSearchCriteria:PersonalAccessTokenSearchCriteriaConstructor + + export const PersonalAccessTokenSessionSearchCriteria:PersonalAccessTokenSessionSearchCriteriaConstructor + + export const PersonalAccessTokenSortOptions:PersonalAccessTokenSortOptionsConstructor + + export const PersonalAccessTokenUpdate:PersonalAccessTokenUpdateConstructor + + export const PhysicalData:PhysicalDataConstructor + + export const PhysicalDataCreation:PhysicalDataCreationConstructor + + export const PhysicalDataFetchOptions:PhysicalDataFetchOptionsConstructor + + export const PhysicalDataSearchCriteria:PhysicalDataSearchCriteriaConstructor + + export const PhysicalDataSortOptions:PhysicalDataSortOptionsConstructor + + export const PhysicalDataUpdate:PhysicalDataUpdateConstructor + + export const Plugin:PluginConstructor + + export const PluginCreation:PluginCreationConstructor + + export const PluginDeletionOptions:PluginDeletionOptionsConstructor + + export const PluginEvaluationOptions:PluginEvaluationOptionsConstructor + + export const PluginEvaluationResult:PluginEvaluationResultConstructor + + export const PluginFetchOptions:PluginFetchOptionsConstructor + + export const PluginKindSearchCriteria:PluginKindSearchCriteriaConstructor + + export const PluginPermId:PluginPermIdConstructor + + export const PluginSearchCriteria:PluginSearchCriteriaConstructor + + export const PluginSortOptions:PluginSortOptionsConstructor + + export const PluginTypeSearchCriteria:PluginTypeSearchCriteriaConstructor + + export const PluginUpdate:PluginUpdateConstructor + + export const PredicateAccessionIdSearchCriteria:PredicateAccessionIdSearchCriteriaConstructor + + export const PredicateOntologyIdSearchCriteria:PredicateOntologyIdSearchCriteriaConstructor + + export const PredicateOntologyVersionSearchCriteria:PredicateOntologyVersionSearchCriteriaConstructor + + export const PresentInArchiveSearchCriteria:PresentInArchiveSearchCriteriaConstructor + + export const ProcessingService:ProcessingServiceConstructor + + export const ProcessingServiceExecutionOptions:ProcessingServiceExecutionOptionsConstructor + + export const ProcessingServiceFetchOptions:ProcessingServiceFetchOptionsConstructor + + export const ProcessingServiceSearchCriteria:ProcessingServiceSearchCriteriaConstructor + + export const ProcessingServiceSortOptions:ProcessingServiceSortOptionsConstructor + + export const Project:ProjectConstructor + + export const ProjectCreation:ProjectCreationConstructor + + export const ProjectDeletionOptions:ProjectDeletionOptionsConstructor + + export const ProjectFetchOptions:ProjectFetchOptionsConstructor + + export const ProjectIdentifier:ProjectIdentifierConstructor + + export const ProjectPermId:ProjectPermIdConstructor + + export const ProjectSearchCriteria:ProjectSearchCriteriaConstructor + + export const ProjectSortOptions:ProjectSortOptionsConstructor + + export const ProjectUpdate:ProjectUpdateConstructor + + export const PropertyAssignment:PropertyAssignmentConstructor + + export const PropertyAssignmentCreation:PropertyAssignmentCreationConstructor + + export const PropertyAssignmentFetchOptions:PropertyAssignmentFetchOptionsConstructor + + export const PropertyAssignmentListUpdateValue:PropertyAssignmentListUpdateValueConstructor + + export const PropertyAssignmentPermId:PropertyAssignmentPermIdConstructor + + export const PropertyAssignmentSearchCriteria:PropertyAssignmentSearchCriteriaConstructor + + export const PropertyAssignmentSortOptions:PropertyAssignmentSortOptionsConstructor + + export const PropertyFetchOptions:PropertyFetchOptionsConstructor + + export const PropertyHistoryEntry:PropertyHistoryEntryConstructor + + export const PropertyType:PropertyTypeConstructor + + export const PropertyTypeCreation:PropertyTypeCreationConstructor + + export const PropertyTypeDeletionOptions:PropertyTypeDeletionOptionsConstructor + + export const PropertyTypeFetchOptions:PropertyTypeFetchOptionsConstructor + + export const PropertyTypePermId:PropertyTypePermIdConstructor + + export const PropertyTypeSearchCriteria:PropertyTypeSearchCriteriaConstructor + + export const PropertyTypeSortOptions:PropertyTypeSortOptionsConstructor + + export const PropertyTypeUpdate:PropertyTypeUpdateConstructor + + export const ProprietaryStorageFormatPermId:ProprietaryStorageFormatPermIdConstructor + + export const Query:QueryConstructor + + export const QueryCreation:QueryCreationConstructor + + export const QueryDatabase:QueryDatabaseConstructor + + export const QueryDatabaseFetchOptions:QueryDatabaseFetchOptionsConstructor + + export const QueryDatabaseName:QueryDatabaseNameConstructor + + export const QueryDatabaseSearchCriteria:QueryDatabaseSearchCriteriaConstructor + + export const QueryDatabaseSortOptions:QueryDatabaseSortOptionsConstructor + + export const QueryDeletionOptions:QueryDeletionOptionsConstructor + + export const QueryExecutionOptions:QueryExecutionOptionsConstructor + + export const QueryFetchOptions:QueryFetchOptionsConstructor + + export const QueryName:QueryNameConstructor + + export const QuerySearchCriteria:QuerySearchCriteriaConstructor + + export const QuerySortOptions:QuerySortOptionsConstructor + + export const QueryTechId:QueryTechIdConstructor + + export const QueryTypeSearchCriteria:QueryTypeSearchCriteriaConstructor + + export const QueryUpdate:QueryUpdateConstructor + + export const RegistrationDateSearchCriteria:RegistrationDateSearchCriteriaConstructor + + export const RegistratorSearchCriteria:RegistratorSearchCriteriaConstructor + + export const RelationHistoryEntry:RelationHistoryEntryConstructor + + export const Relationship:RelationshipConstructor + + export const RelationshipUpdate:RelationshipUpdateConstructor + + export const RelativeLocationLocatorTypePermId:RelativeLocationLocatorTypePermIdConstructor + + export const ReportingService:ReportingServiceConstructor + + export const ReportingServiceExecutionOptions:ReportingServiceExecutionOptionsConstructor + + export const ReportingServiceFetchOptions:ReportingServiceFetchOptionsConstructor + + export const ReportingServiceSearchCriteria:ReportingServiceSearchCriteriaConstructor + + export const ReportingServiceSortOptions:ReportingServiceSortOptionsConstructor + + export const RevertDeletionsOperation:RevertDeletionsOperationConstructor + + export const RevertDeletionsOperationResult:RevertDeletionsOperationResultConstructor + + export const Rights:RightsConstructor + + export const RightsFetchOptions:RightsFetchOptionsConstructor + + export const RoleAssignment:RoleAssignmentConstructor + + export const RoleAssignmentCreation:RoleAssignmentCreationConstructor + + export const RoleAssignmentDeletionOptions:RoleAssignmentDeletionOptionsConstructor + + export const RoleAssignmentFetchOptions:RoleAssignmentFetchOptionsConstructor + + export const RoleAssignmentSearchCriteria:RoleAssignmentSearchCriteriaConstructor + + export const RoleAssignmentSortOptions:RoleAssignmentSortOptionsConstructor + + export const RoleAssignmentTechId:RoleAssignmentTechIdConstructor + + export const Sample:SampleConstructor + + export const SampleChildrenSearchCriteria:SampleChildrenSearchCriteriaConstructor + + export const SampleContainerSearchCriteria:SampleContainerSearchCriteriaConstructor + + export const SampleCreation:SampleCreationConstructor + + export const SampleDeletionOptions:SampleDeletionOptionsConstructor + + export const SampleFetchOptions:SampleFetchOptionsConstructor + + export const SampleIdentifier:SampleIdentifierConstructor + + export const SampleParentsSearchCriteria:SampleParentsSearchCriteriaConstructor + + export const SamplePermId:SamplePermIdConstructor + + export const SamplePropertySearchCriteria:SamplePropertySearchCriteriaConstructor + + export const SampleSearchCriteria:SampleSearchCriteriaConstructor + + export const SampleSortOptions:SampleSortOptionsConstructor + + export const SampleType:SampleTypeConstructor + + export const SampleTypeCreation:SampleTypeCreationConstructor + + export const SampleTypeDeletionOptions:SampleTypeDeletionOptionsConstructor + + export const SampleTypeFetchOptions:SampleTypeFetchOptionsConstructor + + export const SampleTypeSearchCriteria:SampleTypeSearchCriteriaConstructor + + export const SampleTypeSortOptions:SampleTypeSortOptionsConstructor + + export const SampleTypeUpdate:SampleTypeUpdateConstructor + + export const SampleUpdate:SampleUpdateConstructor + + export const SearchAggregationServicesOperation:SearchAggregationServicesOperationConstructor + + export const SearchAggregationServicesOperationResult:SearchAggregationServicesOperationResultConstructor + + export const SearchAuthorizationGroupsOperation:SearchAuthorizationGroupsOperationConstructor + + export const SearchAuthorizationGroupsOperationResult:SearchAuthorizationGroupsOperationResultConstructor + + export const SearchCustomASServicesOperation:SearchCustomASServicesOperationConstructor + + export const SearchCustomASServicesOperationResult:SearchCustomASServicesOperationResultConstructor + + export const SearchDataSetTypesOperation:SearchDataSetTypesOperationConstructor + + export const SearchDataSetTypesOperationResult:SearchDataSetTypesOperationResultConstructor + + export const SearchDataSetsOperation:SearchDataSetsOperationConstructor + + export const SearchDataSetsOperationResult:SearchDataSetsOperationResultConstructor + + export const SearchDataStoresOperation:SearchDataStoresOperationConstructor + + export const SearchDataStoresOperationResult:SearchDataStoresOperationResultConstructor + + export const SearchDeletionsOperation:SearchDeletionsOperationConstructor + + export const SearchDeletionsOperationResult:SearchDeletionsOperationResultConstructor + + export const SearchDomainService:SearchDomainServiceConstructor + + export const SearchDomainServiceExecutionOptions:SearchDomainServiceExecutionOptionsConstructor + + export const SearchDomainServiceExecutionResult:SearchDomainServiceExecutionResultConstructor + + export const SearchDomainServiceFetchOptions:SearchDomainServiceFetchOptionsConstructor + + export const SearchDomainServiceSearchCriteria:SearchDomainServiceSearchCriteriaConstructor + + export const SearchDomainServiceSearchOption:SearchDomainServiceSearchOptionConstructor + + export const SearchDomainServiceSortOptions:SearchDomainServiceSortOptionsConstructor + + export const SearchEventsOperation:SearchEventsOperationConstructor + + export const SearchEventsOperationResult:SearchEventsOperationResultConstructor + + export const SearchExperimentTypesOperation:SearchExperimentTypesOperationConstructor + + export const SearchExperimentTypesOperationResult:SearchExperimentTypesOperationResultConstructor + + export const SearchExperimentsOperation:SearchExperimentsOperationConstructor + + export const SearchExperimentsOperationResult:SearchExperimentsOperationResultConstructor + + export const SearchExternalDmsOperation:SearchExternalDmsOperationConstructor + + export const SearchExternalDmsOperationResult:SearchExternalDmsOperationResultConstructor + + export const SearchGloballyOperation:SearchGloballyOperationConstructor + + export const SearchGloballyOperationResult:SearchGloballyOperationResultConstructor + + export const SearchMaterialTypesOperation:SearchMaterialTypesOperationConstructor + + export const SearchMaterialTypesOperationResult:SearchMaterialTypesOperationResultConstructor + + export const SearchMaterialsOperation:SearchMaterialsOperationConstructor + + export const SearchMaterialsOperationResult:SearchMaterialsOperationResultConstructor + + export const SearchObjectKindModificationsOperation:SearchObjectKindModificationsOperationConstructor + + export const SearchObjectKindModificationsOperationResult:SearchObjectKindModificationsOperationResultConstructor + + export const SearchObjectsOperation:SearchObjectsOperationConstructor + + export const SearchObjectsOperationResult:SearchObjectsOperationResultConstructor + + export const SearchOperationExecutionsOperation:SearchOperationExecutionsOperationConstructor + + export const SearchOperationExecutionsOperationResult:SearchOperationExecutionsOperationResultConstructor + + export const SearchPersonalAccessTokensOperation:SearchPersonalAccessTokensOperationConstructor + + export const SearchPersonalAccessTokensOperationResult:SearchPersonalAccessTokensOperationResultConstructor + + export const SearchPersonsOperation:SearchPersonsOperationConstructor + + export const SearchPersonsOperationResult:SearchPersonsOperationResultConstructor + + export const SearchPluginsOperation:SearchPluginsOperationConstructor + + export const SearchPluginsOperationResult:SearchPluginsOperationResultConstructor + + export const SearchProcessingServicesOperation:SearchProcessingServicesOperationConstructor + + export const SearchProcessingServicesOperationResult:SearchProcessingServicesOperationResultConstructor + + export const SearchProjectsOperation:SearchProjectsOperationConstructor + + export const SearchProjectsOperationResult:SearchProjectsOperationResultConstructor + + export const SearchPropertyAssignmentsOperation:SearchPropertyAssignmentsOperationConstructor + + export const SearchPropertyAssignmentsOperationResult:SearchPropertyAssignmentsOperationResultConstructor + + export const SearchPropertyTypesOperation:SearchPropertyTypesOperationConstructor + + export const SearchPropertyTypesOperationResult:SearchPropertyTypesOperationResultConstructor + + export const SearchQueriesOperation:SearchQueriesOperationConstructor + + export const SearchQueriesOperationResult:SearchQueriesOperationResultConstructor + + export const SearchQueryDatabasesOperation:SearchQueryDatabasesOperationConstructor + + export const SearchQueryDatabasesOperationResult:SearchQueryDatabasesOperationResultConstructor + + export const SearchReportingServicesOperation:SearchReportingServicesOperationConstructor + + export const SearchReportingServicesOperationResult:SearchReportingServicesOperationResultConstructor + + export const SearchResult:SearchResultConstructor + + export const SearchRoleAssignmentsOperation:SearchRoleAssignmentsOperationConstructor + + export const SearchRoleAssignmentsOperationResult:SearchRoleAssignmentsOperationResultConstructor + + export const SearchSampleTypesOperation:SearchSampleTypesOperationConstructor + + export const SearchSampleTypesOperationResult:SearchSampleTypesOperationResultConstructor + + export const SearchSamplesOperation:SearchSamplesOperationConstructor + + export const SearchSamplesOperationResult:SearchSamplesOperationResultConstructor + + export const SearchSearchDomainServicesOperation:SearchSearchDomainServicesOperationConstructor + + export const SearchSearchDomainServicesOperationResult:SearchSearchDomainServicesOperationResultConstructor + + export const SearchSemanticAnnotationsOperation:SearchSemanticAnnotationsOperationConstructor + + export const SearchSemanticAnnotationsOperationResult:SearchSemanticAnnotationsOperationResultConstructor + + export const SearchSessionInformationOperation:SearchSessionInformationOperationConstructor + + export const SearchSessionInformationOperationResult:SearchSessionInformationOperationResultConstructor + + export const SearchSpacesOperation:SearchSpacesOperationConstructor + + export const SearchSpacesOperationResult:SearchSpacesOperationResultConstructor + + export const SearchTagsOperation:SearchTagsOperationConstructor + + export const SearchTagsOperationResult:SearchTagsOperationResultConstructor + + export const SearchVocabulariesOperation:SearchVocabulariesOperationConstructor + + export const SearchVocabulariesOperationResult:SearchVocabulariesOperationResultConstructor + + export const SearchVocabularyTermsOperation:SearchVocabularyTermsOperationConstructor + + export const SearchVocabularyTermsOperationResult:SearchVocabularyTermsOperationResultConstructor + + export const SelectedFields:SelectedFieldsConstructor + + export const SemanticAnnotation:SemanticAnnotationConstructor + + export const SemanticAnnotationCreation:SemanticAnnotationCreationConstructor + + export const SemanticAnnotationDeletionOptions:SemanticAnnotationDeletionOptionsConstructor + + export const SemanticAnnotationFetchOptions:SemanticAnnotationFetchOptionsConstructor + + export const SemanticAnnotationPermId:SemanticAnnotationPermIdConstructor + + export const SemanticAnnotationSearchCriteria:SemanticAnnotationSearchCriteriaConstructor + + export const SemanticAnnotationSortOptions:SemanticAnnotationSortOptionsConstructor + + export const SemanticAnnotationUpdate:SemanticAnnotationUpdateConstructor + + export const ServerTimeZone:ServerTimeZoneConstructor + + export const SessionInformation:SessionInformationConstructor + + export const SessionInformationFetchOptions:SessionInformationFetchOptionsConstructor + + export const SessionInformationPermId:SessionInformationPermIdConstructor + + export const SessionInformationSearchCriteria:SessionInformationSearchCriteriaConstructor + + export const SessionInformationSortOptions:SessionInformationSortOptionsConstructor + + export const ShareIdSearchCriteria:ShareIdSearchCriteriaConstructor + + export const ShortDateFormat:ShortDateFormatConstructor + + export const SizeSearchCriteria:SizeSearchCriteriaConstructor + + export const SortOptions:SortOptionsConstructor + + export const SortOrder:SortOrderConstructor + + export const Sorting:SortingConstructor + + export const Space:SpaceConstructor + + export const SpaceCreation:SpaceCreationConstructor + + export const SpaceDeletionOptions:SpaceDeletionOptionsConstructor + + export const SpaceFetchOptions:SpaceFetchOptionsConstructor + + export const SpacePermId:SpacePermIdConstructor + + export const SpaceSearchCriteria:SpaceSearchCriteriaConstructor + + export const SpaceSortOptions:SpaceSortOptionsConstructor + + export const SpaceTechId:SpaceTechIdConstructor + + export const SpaceUpdate:SpaceUpdateConstructor + + export const SpeedHintSearchCriteria:SpeedHintSearchCriteriaConstructor + + export const SqlExecutionOptions:SqlExecutionOptionsConstructor + + export const SqlSearchCriteria:SqlSearchCriteriaConstructor + + export const StatusSearchCriteria:StatusSearchCriteriaConstructor + + export const StorageConfirmationSearchCriteria:StorageConfirmationSearchCriteriaConstructor + + export const StorageFormat:StorageFormatConstructor + + export const StorageFormatFetchOptions:StorageFormatFetchOptionsConstructor + + export const StorageFormatPermId:StorageFormatPermIdConstructor + + export const StorageFormatSearchCriteria:StorageFormatSearchCriteriaConstructor + + export const StorageFormatSortOptions:StorageFormatSortOptionsConstructor + + export const StringContainsExactlyValue:StringContainsExactlyValueConstructor + + export const StringContainsValue:StringContainsValueConstructor + + export const StringFieldSearchCriteria:StringFieldSearchCriteriaConstructor + + export const StringGreaterThanOrEqualToValue:StringGreaterThanOrEqualToValueConstructor + + export const StringGreaterThanValue:StringGreaterThanValueConstructor + + export const StringLessThanOrEqualToValue:StringLessThanOrEqualToValueConstructor + + export const StringLessThanValue:StringLessThanValueConstructor + + export const StringMatchesValue:StringMatchesValueConstructor + + export const StringStartsWithValue:StringStartsWithValueConstructor + + export const SynchronousOperationExecutionOptions:SynchronousOperationExecutionOptionsConstructor + + export const SynchronousOperationExecutionResults:SynchronousOperationExecutionResultsConstructor + + export const TableColumn:TableColumnConstructor + + export const TableDoubleCell:TableDoubleCellConstructor + + export const TableLongCell:TableLongCellConstructor + + export const TableModel:TableModelConstructor + + export const TableStringCell:TableStringCellConstructor + + export const Tag:TagConstructor + + export const TagCode:TagCodeConstructor + + export const TagCreation:TagCreationConstructor + + export const TagDeletionOptions:TagDeletionOptionsConstructor + + export const TagFetchOptions:TagFetchOptionsConstructor + + export const TagPermId:TagPermIdConstructor + + export const TagSearchCriteria:TagSearchCriteriaConstructor + + export const TagSortOptions:TagSortOptionsConstructor + + export const TagUpdate:TagUpdateConstructor + + export const TechIdSearchCriteria:TechIdSearchCriteriaConstructor + + export const TextAttributeSearchCriteria:TextAttributeSearchCriteriaConstructor + + export const TimeZone:TimeZoneConstructor + + export const UnarchiveDataSetsOperation:UnarchiveDataSetsOperationConstructor + + export const UnarchiveDataSetsOperationResult:UnarchiveDataSetsOperationResultConstructor + + export const UncompressedImportData:UncompressedImportDataConstructor + + export const UnknownRelatedObjectId:UnknownRelatedObjectIdConstructor + + export const UnlockDataSetsOperation:UnlockDataSetsOperationConstructor + + export const UnlockDataSetsOperationResult:UnlockDataSetsOperationResultConstructor + + export const UpdateAuthorizationGroupsOperation:UpdateAuthorizationGroupsOperationConstructor + + export const UpdateAuthorizationGroupsOperationResult:UpdateAuthorizationGroupsOperationResultConstructor + + export const UpdateDataSetTypesOperation:UpdateDataSetTypesOperationConstructor + + export const UpdateDataSetTypesOperationResult:UpdateDataSetTypesOperationResultConstructor + + export const UpdateDataSetsOperation:UpdateDataSetsOperationConstructor + + export const UpdateDataSetsOperationResult:UpdateDataSetsOperationResultConstructor + + export const UpdateExperimentTypesOperation:UpdateExperimentTypesOperationConstructor + + export const UpdateExperimentTypesOperationResult:UpdateExperimentTypesOperationResultConstructor + + export const UpdateExperimentsOperation:UpdateExperimentsOperationConstructor + + export const UpdateExperimentsOperationResult:UpdateExperimentsOperationResultConstructor + + export const UpdateExternalDmsOperation:UpdateExternalDmsOperationConstructor + + export const UpdateExternalDmsOperationResult:UpdateExternalDmsOperationResultConstructor + + export const UpdateMaterialTypesOperation:UpdateMaterialTypesOperationConstructor + + export const UpdateMaterialTypesOperationResult:UpdateMaterialTypesOperationResultConstructor + + export const UpdateMaterialsOperation:UpdateMaterialsOperationConstructor + + export const UpdateMaterialsOperationResult:UpdateMaterialsOperationResultConstructor + + export const UpdateObjectsOperation:UpdateObjectsOperationConstructor + + export const UpdateObjectsOperationResult:UpdateObjectsOperationResultConstructor + + export const UpdateOperationExecutionsOperation:UpdateOperationExecutionsOperationConstructor + + export const UpdateOperationExecutionsOperationResult:UpdateOperationExecutionsOperationResultConstructor + + export const UpdatePersonalAccessTokensOperation:UpdatePersonalAccessTokensOperationConstructor + + export const UpdatePersonalAccessTokensOperationResult:UpdatePersonalAccessTokensOperationResultConstructor + + export const UpdatePersonsOperation:UpdatePersonsOperationConstructor + + export const UpdatePersonsOperationResult:UpdatePersonsOperationResultConstructor + + export const UpdatePluginsOperation:UpdatePluginsOperationConstructor + + export const UpdatePluginsOperationResult:UpdatePluginsOperationResultConstructor + + export const UpdateProjectsOperation:UpdateProjectsOperationConstructor + + export const UpdateProjectsOperationResult:UpdateProjectsOperationResultConstructor + + export const UpdatePropertyTypesOperation:UpdatePropertyTypesOperationConstructor + + export const UpdatePropertyTypesOperationResult:UpdatePropertyTypesOperationResultConstructor + + export const UpdateQueriesOperation:UpdateQueriesOperationConstructor + + export const UpdateQueriesOperationResult:UpdateQueriesOperationResultConstructor + + export const UpdateSampleTypesOperation:UpdateSampleTypesOperationConstructor + + export const UpdateSampleTypesOperationResult:UpdateSampleTypesOperationResultConstructor + + export const UpdateSamplesOperation:UpdateSamplesOperationConstructor + + export const UpdateSamplesOperationResult:UpdateSamplesOperationResultConstructor + + export const UpdateSemanticAnnotationsOperation:UpdateSemanticAnnotationsOperationConstructor + + export const UpdateSemanticAnnotationsOperationResult:UpdateSemanticAnnotationsOperationResultConstructor + + export const UpdateSpacesOperation:UpdateSpacesOperationConstructor + + export const UpdateSpacesOperationResult:UpdateSpacesOperationResultConstructor + + export const UpdateTagsOperation:UpdateTagsOperationConstructor + + export const UpdateTagsOperationResult:UpdateTagsOperationResultConstructor + + export const UpdateVocabulariesOperation:UpdateVocabulariesOperationConstructor + + export const UpdateVocabulariesOperationResult:UpdateVocabulariesOperationResultConstructor + + export const UpdateVocabularyTermsOperation:UpdateVocabularyTermsOperationConstructor + + export const UpdateVocabularyTermsOperationResult:UpdateVocabularyTermsOperationResultConstructor + + export const UploadedDataSetCreation:UploadedDataSetCreationConstructor + + export const UserIdSearchCriteria:UserIdSearchCriteriaConstructor + + export const UserIdsSearchCriteria:UserIdsSearchCriteriaConstructor + + export const UserNameSearchCriteria:UserNameSearchCriteriaConstructor + + export const Vocabulary:VocabularyConstructor + + export const VocabularyCreation:VocabularyCreationConstructor + + export const VocabularyDeletionOptions:VocabularyDeletionOptionsConstructor + + export const VocabularyFetchOptions:VocabularyFetchOptionsConstructor + + export const VocabularyPermId:VocabularyPermIdConstructor + + export const VocabularySearchCriteria:VocabularySearchCriteriaConstructor + + export const VocabularySortOptions:VocabularySortOptionsConstructor + + export const VocabularyTerm:VocabularyTermConstructor + + export const VocabularyTermCreation:VocabularyTermCreationConstructor + + export const VocabularyTermDeletionOptions:VocabularyTermDeletionOptionsConstructor + + export const VocabularyTermFetchOptions:VocabularyTermFetchOptionsConstructor + + export const VocabularyTermPermId:VocabularyTermPermIdConstructor + + export const VocabularyTermReplacement:VocabularyTermReplacementConstructor + + export const VocabularyTermSearchCriteria:VocabularyTermSearchCriteriaConstructor + + export const VocabularyTermSortOptions:VocabularyTermSortOptionsConstructor + + export const VocabularyTermUpdate:VocabularyTermUpdateConstructor + + export const VocabularyUpdate:VocabularyUpdateConstructor + + export const WebAppSetting:WebAppSettingConstructor + + export const WebAppSettingCreation:WebAppSettingCreationConstructor + + export const WebAppSettings:WebAppSettingsConstructor + + export const WebAppSettingsFetchOptions:WebAppSettingsFetchOptionsConstructor + + export const WebAppSettingsSortOptions:WebAppSettingsSortOptionsConstructor + + export const WebAppSettingsUpdateValue:WebAppSettingsUpdateValueConstructor + + export const ZipImportData:ZipImportDataConstructor + + export const as_dto_attachment_Attachment:AttachmentConstructor + + export const as_dto_attachment_create_AttachmentCreation:AttachmentCreationConstructor + + export const as_dto_attachment_fetchoptions_AttachmentFetchOptions:AttachmentFetchOptionsConstructor + + export const as_dto_attachment_fetchoptions_AttachmentSortOptions:AttachmentSortOptionsConstructor + + export const as_dto_attachment_id_AttachmentFileName:AttachmentFileNameConstructor + + export const as_dto_attachment_update_AttachmentListUpdateValue:AttachmentListUpdateValueConstructor + + export const as_dto_authorizationgroup_AuthorizationGroup:AuthorizationGroupConstructor + + export const as_dto_authorizationgroup_create_AuthorizationGroupCreation:AuthorizationGroupCreationConstructor + + export const as_dto_authorizationgroup_create_CreateAuthorizationGroupsOperation:CreateAuthorizationGroupsOperationConstructor + + export const as_dto_authorizationgroup_create_CreateAuthorizationGroupsOperationResult:CreateAuthorizationGroupsOperationResultConstructor + + export const as_dto_authorizationgroup_delete_AuthorizationGroupDeletionOptions:AuthorizationGroupDeletionOptionsConstructor + + export const as_dto_authorizationgroup_delete_DeleteAuthorizationGroupsOperation:DeleteAuthorizationGroupsOperationConstructor + + export const as_dto_authorizationgroup_delete_DeleteAuthorizationGroupsOperationResult:DeleteAuthorizationGroupsOperationResultConstructor + + export const as_dto_authorizationgroup_fetchoptions_AuthorizationGroupFetchOptions:AuthorizationGroupFetchOptionsConstructor + + export const as_dto_authorizationgroup_fetchoptions_AuthorizationGroupSortOptions:AuthorizationGroupSortOptionsConstructor + + export const as_dto_authorizationgroup_get_GetAuthorizationGroupsOperation:GetAuthorizationGroupsOperationConstructor + + export const as_dto_authorizationgroup_get_GetAuthorizationGroupsOperationResult:GetAuthorizationGroupsOperationResultConstructor + + export const as_dto_authorizationgroup_id_AuthorizationGroupPermId:AuthorizationGroupPermIdConstructor + + export const as_dto_authorizationgroup_search_AuthorizationGroupSearchCriteria:AuthorizationGroupSearchCriteriaConstructor + + export const as_dto_authorizationgroup_search_SearchAuthorizationGroupsOperation:SearchAuthorizationGroupsOperationConstructor + + export const as_dto_authorizationgroup_search_SearchAuthorizationGroupsOperationResult:SearchAuthorizationGroupsOperationResultConstructor + + export const as_dto_authorizationgroup_update_AuthorizationGroupUpdate:AuthorizationGroupUpdateConstructor + + export const as_dto_authorizationgroup_update_UpdateAuthorizationGroupsOperation:UpdateAuthorizationGroupsOperationConstructor + + export const as_dto_authorizationgroup_update_UpdateAuthorizationGroupsOperationResult:UpdateAuthorizationGroupsOperationResultConstructor + + export const as_dto_common_Relationship:RelationshipConstructor + + export const as_dto_common_TableColumn:TableColumnConstructor + + export const as_dto_common_TableDoubleCell:TableDoubleCellConstructor + + export const as_dto_common_TableLongCell:TableLongCellConstructor + + export const as_dto_common_TableModel:TableModelConstructor + + export const as_dto_common_TableStringCell:TableStringCellConstructor + + export const as_dto_common_create_CreateObjectsOperation:CreateObjectsOperationConstructor + + export const as_dto_common_create_CreateObjectsOperationResult:CreateObjectsOperationResultConstructor + + export const as_dto_common_delete_DeleteObjectsOperation:DeleteObjectsOperationConstructor + + export const as_dto_common_delete_DeleteObjectsOperationResult:DeleteObjectsOperationResultConstructor + + export const as_dto_common_delete_DeleteObjectsWithTrashOperationResult:DeleteObjectsWithTrashOperationResultConstructor + + export const as_dto_common_delete_DeleteObjectsWithoutTrashOperationResult:DeleteObjectsWithoutTrashOperationResultConstructor + + export const as_dto_common_entity_AbstractEntity:AbstractEntityConstructor + + export const as_dto_common_entity_AbstractEntityCreation:AbstractEntityCreationConstructor + + export const as_dto_common_entity_AbstractEntityPropertyHolder:AbstractEntityPropertyHolderConstructor + + export const as_dto_common_entity_AbstractEntityUpdate:AbstractEntityUpdateConstructor + + export const as_dto_common_fetchoptions_AbstractEntityFetchOptions:AbstractEntityFetchOptionsConstructor + + export const as_dto_common_fetchoptions_EmptyFetchOptions:EmptyFetchOptionsConstructor + + export const as_dto_common_fetchoptions_EntitySortOptions:EntitySortOptionsConstructor + + export const as_dto_common_fetchoptions_EntityWithPropertiesSortOptions:EntityWithPropertiesSortOptionsConstructor + + export const as_dto_common_fetchoptions_FetchOptions:FetchOptionsConstructor + + export const as_dto_common_fetchoptions_SortOptions:SortOptionsConstructor + + export const as_dto_common_fetchoptions_SortOrder:SortOrderConstructor + + export const as_dto_common_fetchoptions_Sorting:SortingConstructor + + export const as_dto_common_get_GetObjectsOperation:GetObjectsOperationConstructor + + export const as_dto_common_get_GetObjectsOperationResult:GetObjectsOperationResultConstructor + + export const as_dto_common_get_GetServerInformationOperation:GetServerInformationOperationConstructor + + export const as_dto_common_get_GetServerInformationOperationResult:GetServerInformationOperationResultConstructor + + export const as_dto_common_get_GetServerPublicInformationOperation:GetServerPublicInformationOperationConstructor + + export const as_dto_common_get_GetServerPublicInformationOperationResult:GetServerPublicInformationOperationResultConstructor + + export const as_dto_common_id_CreationId:CreationIdConstructor + + export const as_dto_common_id_ObjectIdentifier:ObjectIdentifierConstructor + + export const as_dto_common_id_ObjectPermId:ObjectPermIdConstructor + + export const as_dto_common_id_ObjectTechId:ObjectTechIdConstructor + + export const as_dto_common_search_AbstractCompositeSearchCriteria:AbstractCompositeSearchCriteriaConstructor + + export const as_dto_common_search_AbstractEntitySearchCriteria:AbstractEntitySearchCriteriaConstructor + + export const as_dto_common_search_AbstractFieldSearchCriteria:AbstractFieldSearchCriteriaConstructor + + export const as_dto_common_search_AbstractNumberValue:AbstractNumberValueConstructor + + export const as_dto_common_search_AbstractObjectSearchCriteria:AbstractObjectSearchCriteriaConstructor + + export const as_dto_common_search_AbstractSearchCriteria:AbstractSearchCriteriaConstructor + + export const as_dto_common_search_AnyStringValue:AnyStringValueConstructor + + export const as_dto_common_search_CodeSearchCriteria:CodeSearchCriteriaConstructor + + export const as_dto_common_search_CodesSearchCriteria:CodesSearchCriteriaConstructor + + export const as_dto_common_search_CollectionFieldSearchCriteria:CollectionFieldSearchCriteriaConstructor + + export const as_dto_common_search_DateEarlierThanOrEqualToValue:DateEarlierThanOrEqualToValueConstructor + + export const as_dto_common_search_DateEarlierThanValue:DateEarlierThanValueConstructor + + export const as_dto_common_search_DateEqualToValue:DateEqualToValueConstructor + + export const as_dto_common_search_DateLaterThanOrEqualToValue:DateLaterThanOrEqualToValueConstructor + + export const as_dto_common_search_DateLaterThanValue:DateLaterThanValueConstructor + + export const as_dto_common_search_DateObjectEarlierThanOrEqualToValue:DateObjectEarlierThanOrEqualToValueConstructor + + export const as_dto_common_search_DateObjectEarlierThanValue:DateObjectEarlierThanValueConstructor + + export const as_dto_common_search_DateObjectEqualToValue:DateObjectEqualToValueConstructor + + export const as_dto_common_search_DateObjectLaterThanOrEqualToValue:DateObjectLaterThanOrEqualToValueConstructor + + export const as_dto_common_search_DateObjectLaterThanValue:DateObjectLaterThanValueConstructor + + export const as_dto_common_search_DescriptionSearchCriteria:DescriptionSearchCriteriaConstructor + + export const as_dto_common_search_IdSearchCriteria:IdSearchCriteriaConstructor + + export const as_dto_common_search_IdentifierSearchCriteria:IdentifierSearchCriteriaConstructor + + export const as_dto_common_search_IdsSearchCriteria:IdsSearchCriteriaConstructor + + export const as_dto_common_search_LongDateFormat:LongDateFormatConstructor + + export const as_dto_common_search_NameSearchCriteria:NameSearchCriteriaConstructor + + export const as_dto_common_search_NormalDateFormat:NormalDateFormatConstructor + + export const as_dto_common_search_NumberEqualToValue:NumberEqualToValueConstructor + + export const as_dto_common_search_NumberGreaterThanOrEqualToValue:NumberGreaterThanOrEqualToValueConstructor + + export const as_dto_common_search_NumberGreaterThanValue:NumberGreaterThanValueConstructor + + export const as_dto_common_search_NumberLessThanOrEqualToValue:NumberLessThanOrEqualToValueConstructor + + export const as_dto_common_search_NumberLessThanValue:NumberLessThanValueConstructor + + export const as_dto_common_search_PermIdSearchCriteria:PermIdSearchCriteriaConstructor + + export const as_dto_common_search_RegistrationDateSearchCriteria:RegistrationDateSearchCriteriaConstructor + + export const as_dto_common_search_SamplePropertySearchCriteria:SamplePropertySearchCriteriaConstructor + + export const as_dto_common_search_SearchObjectsOperation:SearchObjectsOperationConstructor + + export const as_dto_common_search_SearchObjectsOperationResult:SearchObjectsOperationResultConstructor + + export const as_dto_common_search_SearchResult:SearchResultConstructor + + export const as_dto_common_search_ServerTimeZone:ServerTimeZoneConstructor + + export const as_dto_common_search_ShortDateFormat:ShortDateFormatConstructor + + export const as_dto_common_search_StringContainsExactlyValue:StringContainsExactlyValueConstructor + + export const as_dto_common_search_StringContainsValue:StringContainsValueConstructor + + export const as_dto_common_search_StringFieldSearchCriteria:StringFieldSearchCriteriaConstructor + + export const as_dto_common_search_StringGreaterThanOrEqualToValue:StringGreaterThanOrEqualToValueConstructor + + export const as_dto_common_search_StringGreaterThanValue:StringGreaterThanValueConstructor + + export const as_dto_common_search_StringLessThanOrEqualToValue:StringLessThanOrEqualToValueConstructor + + export const as_dto_common_search_StringLessThanValue:StringLessThanValueConstructor + + export const as_dto_common_search_StringMatchesValue:StringMatchesValueConstructor + + export const as_dto_common_search_StringStartsWithValue:StringStartsWithValueConstructor + + export const as_dto_common_search_TechIdSearchCriteria:TechIdSearchCriteriaConstructor + + export const as_dto_common_search_TextAttributeSearchCriteria:TextAttributeSearchCriteriaConstructor + + export const as_dto_common_search_TimeZone:TimeZoneConstructor + + export const as_dto_common_update_FieldUpdateValue:FieldUpdateValueConstructor + + export const as_dto_common_update_IdListUpdateValue:IdListUpdateValueConstructor + + export const as_dto_common_update_ListUpdateAction:ListUpdateActionConstructor + + export const as_dto_common_update_ListUpdateActionAdd:ListUpdateActionAddConstructor + + export const as_dto_common_update_ListUpdateActionRemove:ListUpdateActionRemoveConstructor + + export const as_dto_common_update_ListUpdateActionSet:ListUpdateActionSetConstructor + + export const as_dto_common_update_ListUpdateMapValues:ListUpdateMapValuesConstructor + + export const as_dto_common_update_ListUpdateValue:ListUpdateValueConstructor + + export const as_dto_common_update_RelationshipUpdate:RelationshipUpdateConstructor + + export const as_dto_common_update_UpdateObjectsOperation:UpdateObjectsOperationConstructor + + export const as_dto_common_update_UpdateObjectsOperationResult:UpdateObjectsOperationResultConstructor + + export const as_dto_dataset_ContentCopy:ContentCopyConstructor + + export const as_dto_dataset_DataSet:DataSetConstructor + + export const as_dto_dataset_DataSetType:DataSetTypeConstructor + + export const as_dto_dataset_FileFormatType:FileFormatTypeConstructor + + export const as_dto_dataset_LinkedData:LinkedDataConstructor + + export const as_dto_dataset_LocatorType:LocatorTypeConstructor + + export const as_dto_dataset_PhysicalData:PhysicalDataConstructor + + export const as_dto_dataset_StorageFormat:StorageFormatConstructor + + export const as_dto_dataset_archive_ArchiveDataSetsOperation:ArchiveDataSetsOperationConstructor + + export const as_dto_dataset_archive_ArchiveDataSetsOperationResult:ArchiveDataSetsOperationResultConstructor + + export const as_dto_dataset_archive_DataSetArchiveOptions:DataSetArchiveOptionsConstructor + + export const as_dto_dataset_create_ContentCopyCreation:ContentCopyCreationConstructor + + export const as_dto_dataset_create_CreateDataSetTypesOperation:CreateDataSetTypesOperationConstructor + + export const as_dto_dataset_create_CreateDataSetTypesOperationResult:CreateDataSetTypesOperationResultConstructor + + export const as_dto_dataset_create_CreateDataSetsOperation:CreateDataSetsOperationConstructor + + export const as_dto_dataset_create_CreateDataSetsOperationResult:CreateDataSetsOperationResultConstructor + + export const as_dto_dataset_create_DataSetCreation:DataSetCreationConstructor + + export const as_dto_dataset_create_DataSetTypeCreation:DataSetTypeCreationConstructor + + export const as_dto_dataset_create_LinkedDataCreation:LinkedDataCreationConstructor + + export const as_dto_dataset_create_PhysicalDataCreation:PhysicalDataCreationConstructor + + export const as_dto_dataset_delete_DataSetDeletionOptions:DataSetDeletionOptionsConstructor + + export const as_dto_dataset_delete_DataSetTypeDeletionOptions:DataSetTypeDeletionOptionsConstructor + + export const as_dto_dataset_delete_DeleteDataSetTypesOperation:DeleteDataSetTypesOperationConstructor + + export const as_dto_dataset_delete_DeleteDataSetTypesOperationResult:DeleteDataSetTypesOperationResultConstructor + + export const as_dto_dataset_delete_DeleteDataSetsOperation:DeleteDataSetsOperationConstructor + + export const as_dto_dataset_delete_DeleteDataSetsOperationResult:DeleteDataSetsOperationResultConstructor + + export const as_dto_dataset_fetchoptions_DataSetFetchOptions:DataSetFetchOptionsConstructor + + export const as_dto_dataset_fetchoptions_DataSetSortOptions:DataSetSortOptionsConstructor + + export const as_dto_dataset_fetchoptions_DataSetTypeFetchOptions:DataSetTypeFetchOptionsConstructor + + export const as_dto_dataset_fetchoptions_DataSetTypeSortOptions:DataSetTypeSortOptionsConstructor + + export const as_dto_dataset_fetchoptions_FileFormatTypeFetchOptions:FileFormatTypeFetchOptionsConstructor + + export const as_dto_dataset_fetchoptions_FileFormatTypeSortOptions:FileFormatTypeSortOptionsConstructor + + export const as_dto_dataset_fetchoptions_LinkedDataFetchOptions:LinkedDataFetchOptionsConstructor + + export const as_dto_dataset_fetchoptions_LinkedDataSortOptions:LinkedDataSortOptionsConstructor + + export const as_dto_dataset_fetchoptions_LocatorTypeFetchOptions:LocatorTypeFetchOptionsConstructor + + export const as_dto_dataset_fetchoptions_LocatorTypeSortOptions:LocatorTypeSortOptionsConstructor + + export const as_dto_dataset_fetchoptions_PhysicalDataFetchOptions:PhysicalDataFetchOptionsConstructor + + export const as_dto_dataset_fetchoptions_PhysicalDataSortOptions:PhysicalDataSortOptionsConstructor + + export const as_dto_dataset_fetchoptions_StorageFormatFetchOptions:StorageFormatFetchOptionsConstructor + + export const as_dto_dataset_fetchoptions_StorageFormatSortOptions:StorageFormatSortOptionsConstructor + + export const as_dto_dataset_get_GetDataSetTypesOperation:GetDataSetTypesOperationConstructor + + export const as_dto_dataset_get_GetDataSetTypesOperationResult:GetDataSetTypesOperationResultConstructor + + export const as_dto_dataset_get_GetDataSetsOperation:GetDataSetsOperationConstructor + + export const as_dto_dataset_get_GetDataSetsOperationResult:GetDataSetsOperationResultConstructor + + export const as_dto_dataset_id_BdsDirectoryStorageFormatPermId:BdsDirectoryStorageFormatPermIdConstructor + + export const as_dto_dataset_id_ContentCopyPermId:ContentCopyPermIdConstructor + + export const as_dto_dataset_id_DataSetPermId:DataSetPermIdConstructor + + export const as_dto_dataset_id_FileFormatTypePermId:FileFormatTypePermIdConstructor + + export const as_dto_dataset_id_LocatorTypePermId:LocatorTypePermIdConstructor + + export const as_dto_dataset_id_ProprietaryStorageFormatPermId:ProprietaryStorageFormatPermIdConstructor + + export const as_dto_dataset_id_RelativeLocationLocatorTypePermId:RelativeLocationLocatorTypePermIdConstructor + + export const as_dto_dataset_id_StorageFormatPermId:StorageFormatPermIdConstructor + + export const as_dto_dataset_lock_DataSetLockOptions:DataSetLockOptionsConstructor + + export const as_dto_dataset_lock_LockDataSetsOperation:LockDataSetsOperationConstructor + + export const as_dto_dataset_lock_LockDataSetsOperationResult:LockDataSetsOperationResultConstructor + + export const as_dto_dataset_search_ArchivingRequestedSearchCriteria:ArchivingRequestedSearchCriteriaConstructor + + export const as_dto_dataset_search_CompleteSearchCriteria:CompleteSearchCriteriaConstructor + + export const as_dto_dataset_search_ContentCopySearchCriteria:ContentCopySearchCriteriaConstructor + + export const as_dto_dataset_search_DataSetChildrenSearchCriteria:DataSetChildrenSearchCriteriaConstructor + + export const as_dto_dataset_search_DataSetContainerSearchCriteria:DataSetContainerSearchCriteriaConstructor + + export const as_dto_dataset_search_DataSetParentsSearchCriteria:DataSetParentsSearchCriteriaConstructor + + export const as_dto_dataset_search_DataSetSearchCriteria:DataSetSearchCriteriaConstructor + + export const as_dto_dataset_search_DataSetTypeSearchCriteria:DataSetTypeSearchCriteriaConstructor + + export const as_dto_dataset_search_ExternalCodeSearchCriteria:ExternalCodeSearchCriteriaConstructor + + export const as_dto_dataset_search_ExternalDmsSearchCriteria:as_dto_dataset_search_ExternalDmsSearchCriteriaConstructor + + export const as_dto_dataset_search_FileFormatTypeSearchCriteria:FileFormatTypeSearchCriteriaConstructor + + export const as_dto_dataset_search_GitCommitHashSearchCriteria:GitCommitHashSearchCriteriaConstructor + + export const as_dto_dataset_search_GitRepositoryIdSearchCriteria:GitRepositoryIdSearchCriteriaConstructor + + export const as_dto_dataset_search_LinkedDataSearchCriteria:LinkedDataSearchCriteriaConstructor + + export const as_dto_dataset_search_LocationSearchCriteria:LocationSearchCriteriaConstructor + + export const as_dto_dataset_search_LocatorTypeSearchCriteria:LocatorTypeSearchCriteriaConstructor + + export const as_dto_dataset_search_PathSearchCriteria:PathSearchCriteriaConstructor + + export const as_dto_dataset_search_PhysicalDataSearchCriteria:PhysicalDataSearchCriteriaConstructor + + export const as_dto_dataset_search_PresentInArchiveSearchCriteria:PresentInArchiveSearchCriteriaConstructor + + export const as_dto_dataset_search_SearchDataSetTypesOperation:SearchDataSetTypesOperationConstructor + + export const as_dto_dataset_search_SearchDataSetTypesOperationResult:SearchDataSetTypesOperationResultConstructor + + export const as_dto_dataset_search_SearchDataSetsOperation:SearchDataSetsOperationConstructor + + export const as_dto_dataset_search_SearchDataSetsOperationResult:SearchDataSetsOperationResultConstructor + + export const as_dto_dataset_search_ShareIdSearchCriteria:ShareIdSearchCriteriaConstructor + + export const as_dto_dataset_search_SizeSearchCriteria:SizeSearchCriteriaConstructor + + export const as_dto_dataset_search_SpeedHintSearchCriteria:SpeedHintSearchCriteriaConstructor + + export const as_dto_dataset_search_StatusSearchCriteria:StatusSearchCriteriaConstructor + + export const as_dto_dataset_search_StorageConfirmationSearchCriteria:StorageConfirmationSearchCriteriaConstructor + + export const as_dto_dataset_search_StorageFormatSearchCriteria:StorageFormatSearchCriteriaConstructor + + export const as_dto_dataset_unarchive_DataSetUnarchiveOptions:DataSetUnarchiveOptionsConstructor + + export const as_dto_dataset_unarchive_UnarchiveDataSetsOperation:UnarchiveDataSetsOperationConstructor + + export const as_dto_dataset_unarchive_UnarchiveDataSetsOperationResult:UnarchiveDataSetsOperationResultConstructor + + export const as_dto_dataset_unlock_DataSetUnlockOptions:DataSetUnlockOptionsConstructor + + export const as_dto_dataset_unlock_UnlockDataSetsOperation:UnlockDataSetsOperationConstructor + + export const as_dto_dataset_unlock_UnlockDataSetsOperationResult:UnlockDataSetsOperationResultConstructor + + export const as_dto_dataset_update_ContentCopyListUpdateValue:ContentCopyListUpdateValueConstructor + + export const as_dto_dataset_update_DataSetTypeUpdate:DataSetTypeUpdateConstructor + + export const as_dto_dataset_update_DataSetUpdate:DataSetUpdateConstructor + + export const as_dto_dataset_update_LinkedDataUpdate:LinkedDataUpdateConstructor + + export const as_dto_dataset_update_PhysicalDataUpdate:PhysicalDataUpdateConstructor + + export const as_dto_dataset_update_UpdateDataSetTypesOperation:UpdateDataSetTypesOperationConstructor + + export const as_dto_dataset_update_UpdateDataSetTypesOperationResult:UpdateDataSetTypesOperationResultConstructor + + export const as_dto_dataset_update_UpdateDataSetsOperation:UpdateDataSetsOperationConstructor + + export const as_dto_dataset_update_UpdateDataSetsOperationResult:UpdateDataSetsOperationResultConstructor + + export const as_dto_datastore_DataStore:DataStoreConstructor + + export const as_dto_datastore_fetchoptions_DataStoreFetchOptions:DataStoreFetchOptionsConstructor + + export const as_dto_datastore_fetchoptions_DataStoreSortOptions:DataStoreSortOptionsConstructor + + export const as_dto_datastore_id_DataStorePermId:DataStorePermIdConstructor + + export const as_dto_datastore_search_DataStoreSearchCriteria:DataStoreSearchCriteriaConstructor + + export const as_dto_datastore_search_SearchDataStoresOperation:SearchDataStoresOperationConstructor + + export const as_dto_datastore_search_SearchDataStoresOperationResult:SearchDataStoresOperationResultConstructor + + export const as_dto_deletion_AbstractObjectDeletionOptions:AbstractObjectDeletionOptionsConstructor + + export const as_dto_deletion_DeletedObject:DeletedObjectConstructor + + export const as_dto_deletion_Deletion:DeletionConstructor + + export const as_dto_deletion_confirm_ConfirmDeletionsOperation:ConfirmDeletionsOperationConstructor + + export const as_dto_deletion_confirm_ConfirmDeletionsOperationResult:ConfirmDeletionsOperationResultConstructor + + export const as_dto_deletion_fetchoptions_DeletedObjectFetchOptions:DeletedObjectFetchOptionsConstructor + + export const as_dto_deletion_fetchoptions_DeletionFetchOptions:DeletionFetchOptionsConstructor + + export const as_dto_deletion_fetchoptions_DeletionSortOptions:DeletionSortOptionsConstructor + + export const as_dto_deletion_id_DeletionTechId:DeletionTechIdConstructor + + export const as_dto_deletion_revert_RevertDeletionsOperation:RevertDeletionsOperationConstructor + + export const as_dto_deletion_revert_RevertDeletionsOperationResult:RevertDeletionsOperationResultConstructor + + export const as_dto_deletion_search_DeletionSearchCriteria:DeletionSearchCriteriaConstructor + + export const as_dto_deletion_search_SearchDeletionsOperation:SearchDeletionsOperationConstructor + + export const as_dto_deletion_search_SearchDeletionsOperationResult:SearchDeletionsOperationResultConstructor + + export const as_dto_entity_create_CreateCodesOperation:CreateCodesOperationConstructor + + export const as_dto_entity_create_CreateCodesOperationResult:CreateCodesOperationResultConstructor + + export const as_dto_entity_create_CreatePermIdsOperation:CreatePermIdsOperationConstructor + + export const as_dto_entity_create_CreatePermIdsOperationResult:CreatePermIdsOperationResultConstructor + + export const as_dto_entitytype_fetchoptions_EntityTypeFetchOptions:EntityTypeFetchOptionsConstructor + + export const as_dto_entitytype_fetchoptions_EntityTypeSortOptions:EntityTypeSortOptionsConstructor + + export const as_dto_entitytype_id_EntityTypePermId:EntityTypePermIdConstructor + + export const as_dto_entitytype_search_AbstractEntityTypeSearchCriteria:AbstractEntityTypeSearchCriteriaConstructor + + export const as_dto_entitytype_search_EntityKindSearchCriteria:EntityKindSearchCriteriaConstructor + + export const as_dto_entitytype_search_EntityTypeSearchCriteria:EntityTypeSearchCriteriaConstructor + + export const as_dto_entitytype_update_PropertyAssignmentListUpdateValue:PropertyAssignmentListUpdateValueConstructor + + export const as_dto_event_Event:EventConstructor + + export const as_dto_event_fetchoptions_EventFetchOptions:EventFetchOptionsConstructor + + export const as_dto_event_fetchoptions_EventSortOptions:EventSortOptionsConstructor + + export const as_dto_event_id_EventTechId:EventTechIdConstructor + + export const as_dto_event_search_EventDescriptionSearchCriteria:EventDescriptionSearchCriteriaConstructor + + export const as_dto_event_search_EventEntityProjectIdSearchCriteria:EventEntityProjectIdSearchCriteriaConstructor + + export const as_dto_event_search_EventEntityProjectSearchCriteria:EventEntityProjectSearchCriteriaConstructor + + export const as_dto_event_search_EventEntityRegistrationDateSearchCriteria:EventEntityRegistrationDateSearchCriteriaConstructor + + export const as_dto_event_search_EventEntityRegistratorSearchCriteria:EventEntityRegistratorSearchCriteriaConstructor + + export const as_dto_event_search_EventEntitySpaceIdSearchCriteria:EventEntitySpaceIdSearchCriteriaConstructor + + export const as_dto_event_search_EventEntitySpaceSearchCriteria:EventEntitySpaceSearchCriteriaConstructor + + export const as_dto_event_search_EventEntityTypeSearchCriteria:EventEntityTypeSearchCriteriaConstructor + + export const as_dto_event_search_EventIdentifierSearchCriteria:EventIdentifierSearchCriteriaConstructor + + export const as_dto_event_search_EventReasonSearchCriteria:EventReasonSearchCriteriaConstructor + + export const as_dto_event_search_EventSearchCriteria:EventSearchCriteriaConstructor + + export const as_dto_event_search_EventTypeSearchCriteria:EventTypeSearchCriteriaConstructor + + export const as_dto_event_search_SearchEventsOperation:SearchEventsOperationConstructor + + export const as_dto_event_search_SearchEventsOperationResult:SearchEventsOperationResultConstructor + + export const as_dto_experiment_Experiment:ExperimentConstructor + + export const as_dto_experiment_ExperimentType:ExperimentTypeConstructor + + export const as_dto_experiment_create_CreateExperimentTypesOperation:CreateExperimentTypesOperationConstructor + + export const as_dto_experiment_create_CreateExperimentTypesOperationResult:CreateExperimentTypesOperationResultConstructor + + export const as_dto_experiment_create_CreateExperimentsOperation:CreateExperimentsOperationConstructor + + export const as_dto_experiment_create_CreateExperimentsOperationResult:CreateExperimentsOperationResultConstructor + + export const as_dto_experiment_create_ExperimentCreation:ExperimentCreationConstructor + + export const as_dto_experiment_create_ExperimentTypeCreation:ExperimentTypeCreationConstructor + + export const as_dto_experiment_delete_DeleteExperimentTypesOperation:DeleteExperimentTypesOperationConstructor + + export const as_dto_experiment_delete_DeleteExperimentTypesOperationResult:DeleteExperimentTypesOperationResultConstructor + + export const as_dto_experiment_delete_DeleteExperimentsOperation:DeleteExperimentsOperationConstructor + + export const as_dto_experiment_delete_DeleteExperimentsOperationResult:DeleteExperimentsOperationResultConstructor + + export const as_dto_experiment_delete_ExperimentDeletionOptions:ExperimentDeletionOptionsConstructor + + export const as_dto_experiment_delete_ExperimentTypeDeletionOptions:ExperimentTypeDeletionOptionsConstructor + + export const as_dto_experiment_fetchoptions_ExperimentFetchOptions:ExperimentFetchOptionsConstructor + + export const as_dto_experiment_fetchoptions_ExperimentSortOptions:ExperimentSortOptionsConstructor + + export const as_dto_experiment_fetchoptions_ExperimentTypeFetchOptions:ExperimentTypeFetchOptionsConstructor + + export const as_dto_experiment_fetchoptions_ExperimentTypeSortOptions:ExperimentTypeSortOptionsConstructor + + export const as_dto_experiment_get_GetExperimentTypesOperation:GetExperimentTypesOperationConstructor + + export const as_dto_experiment_get_GetExperimentTypesOperationResult:GetExperimentTypesOperationResultConstructor + + export const as_dto_experiment_get_GetExperimentsOperation:GetExperimentsOperationConstructor + + export const as_dto_experiment_get_GetExperimentsOperationResult:GetExperimentsOperationResultConstructor + + export const as_dto_experiment_id_ExperimentIdentifier:ExperimentIdentifierConstructor + + export const as_dto_experiment_id_ExperimentPermId:ExperimentPermIdConstructor + + export const as_dto_experiment_search_ExperimentSearchCriteria:ExperimentSearchCriteriaConstructor + + export const as_dto_experiment_search_ExperimentTypeSearchCriteria:ExperimentTypeSearchCriteriaConstructor + + export const as_dto_experiment_search_NoExperimentSearchCriteria:NoExperimentSearchCriteriaConstructor + + export const as_dto_experiment_search_SearchExperimentTypesOperation:SearchExperimentTypesOperationConstructor + + export const as_dto_experiment_search_SearchExperimentTypesOperationResult:SearchExperimentTypesOperationResultConstructor + + export const as_dto_experiment_search_SearchExperimentsOperation:SearchExperimentsOperationConstructor + + export const as_dto_experiment_search_SearchExperimentsOperationResult:SearchExperimentsOperationResultConstructor + + export const as_dto_experiment_update_ExperimentTypeUpdate:ExperimentTypeUpdateConstructor + + export const as_dto_experiment_update_ExperimentUpdate:ExperimentUpdateConstructor + + export const as_dto_experiment_update_UpdateExperimentTypesOperation:UpdateExperimentTypesOperationConstructor + + export const as_dto_experiment_update_UpdateExperimentTypesOperationResult:UpdateExperimentTypesOperationResultConstructor + + export const as_dto_experiment_update_UpdateExperimentsOperation:UpdateExperimentsOperationConstructor + + export const as_dto_experiment_update_UpdateExperimentsOperationResult:UpdateExperimentsOperationResultConstructor + + export const as_dto_exporter_ExportOperation:ExportOperationConstructor + + export const as_dto_exporter_ExportOperationResult:ExportOperationResultConstructor + + export const as_dto_exporter_ExportResult:ExportResultConstructor + + export const as_dto_exporter_data_AllFields:AllFieldsConstructor + + export const as_dto_exporter_data_ExportData:ExportDataConstructor + + export const as_dto_exporter_data_ExportablePermId:ExportablePermIdConstructor + + export const as_dto_exporter_data_SelectedFields:SelectedFieldsConstructor + + export const as_dto_exporter_options_ExportOptions:ExportOptionsConstructor + + export const as_dto_externaldms_ExternalDms:ExternalDmsConstructor + + export const as_dto_externaldms_create_CreateExternalDmsOperation:CreateExternalDmsOperationConstructor + + export const as_dto_externaldms_create_CreateExternalDmsOperationResult:CreateExternalDmsOperationResultConstructor + + export const as_dto_externaldms_create_ExternalDmsCreation:ExternalDmsCreationConstructor + + export const as_dto_externaldms_delete_DeleteExternalDmsOperation:DeleteExternalDmsOperationConstructor + + export const as_dto_externaldms_delete_DeleteExternalDmsOperationResult:DeleteExternalDmsOperationResultConstructor + + export const as_dto_externaldms_delete_ExternalDmsDeletionOptions:ExternalDmsDeletionOptionsConstructor + + export const as_dto_externaldms_fetchoptions_ExternalDmsFetchOptions:ExternalDmsFetchOptionsConstructor + + export const as_dto_externaldms_fetchoptions_ExternalDmsSortOptions:ExternalDmsSortOptionsConstructor + + export const as_dto_externaldms_get_GetExternalDmsOperation:GetExternalDmsOperationConstructor + + export const as_dto_externaldms_get_GetExternalDmsOperationResult:GetExternalDmsOperationResultConstructor + + export const as_dto_externaldms_id_ExternalDmsPermId:ExternalDmsPermIdConstructor + + export const as_dto_externaldms_search_AddressSearchCriteria:AddressSearchCriteriaConstructor + + export const as_dto_externaldms_search_ExternalDmsSearchCriteria:as_dto_externaldms_search_ExternalDmsSearchCriteriaConstructor + + export const as_dto_externaldms_search_ExternalDmsTypeSearchCriteria:ExternalDmsTypeSearchCriteriaConstructor + + export const as_dto_externaldms_search_LabelSearchCriteria:LabelSearchCriteriaConstructor + + export const as_dto_externaldms_search_SearchExternalDmsOperation:SearchExternalDmsOperationConstructor + + export const as_dto_externaldms_search_SearchExternalDmsOperationResult:SearchExternalDmsOperationResultConstructor + + export const as_dto_externaldms_update_ExternalDmsUpdate:ExternalDmsUpdateConstructor + + export const as_dto_externaldms_update_UpdateExternalDmsOperation:UpdateExternalDmsOperationConstructor + + export const as_dto_externaldms_update_UpdateExternalDmsOperationResult:UpdateExternalDmsOperationResultConstructor + + export const as_dto_global_GlobalSearchObject:GlobalSearchObjectConstructor + + export const as_dto_global_fetchoptions_GlobalSearchObjectFetchOptions:GlobalSearchObjectFetchOptionsConstructor + + export const as_dto_global_fetchoptions_GlobalSearchObjectSortOptions:GlobalSearchObjectSortOptionsConstructor + + export const as_dto_global_fetchoptions_MatchFetchOptions:MatchFetchOptionsConstructor + + export const as_dto_global_search_GlobalSearchCriteria:GlobalSearchCriteriaConstructor + + export const as_dto_global_search_GlobalSearchObjectKindCriteria:GlobalSearchObjectKindCriteriaConstructor + + export const as_dto_global_search_GlobalSearchTextCriteria:GlobalSearchTextCriteriaConstructor + + export const as_dto_global_search_GlobalSearchWildCardsCriteria:GlobalSearchWildCardsCriteriaConstructor + + export const as_dto_global_search_SearchGloballyOperation:SearchGloballyOperationConstructor + + export const as_dto_global_search_SearchGloballyOperationResult:SearchGloballyOperationResultConstructor + + export const as_dto_history_ContentCopyHistoryEntry:ContentCopyHistoryEntryConstructor + + export const as_dto_history_HistoryEntry:HistoryEntryConstructor + + export const as_dto_history_PropertyHistoryEntry:PropertyHistoryEntryConstructor + + export const as_dto_history_RelationHistoryEntry:RelationHistoryEntryConstructor + + export const as_dto_history_fetchoptions_HistoryEntryFetchOptions:HistoryEntryFetchOptionsConstructor + + export const as_dto_history_fetchoptions_HistoryEntrySortOptions:HistoryEntrySortOptionsConstructor + + export const as_dto_history_id_UnknownRelatedObjectId:UnknownRelatedObjectIdConstructor + + export const as_dto_importer_ImportOperation:ImportOperationConstructor + + export const as_dto_importer_ImportOperationResult:ImportOperationResultConstructor + + export const as_dto_importer_data_ImportScript:ImportScriptConstructor + + export const as_dto_importer_data_ImportValue:ImportValueConstructor + + export const as_dto_importer_data_UncompressedImportData:UncompressedImportDataConstructor + + export const as_dto_importer_data_ZipImportData:ZipImportDataConstructor + + export const as_dto_importer_options_ImportOptions:ImportOptionsConstructor + + export const as_dto_material_Material:MaterialConstructor + + export const as_dto_material_MaterialType:MaterialTypeConstructor + + export const as_dto_material_create_CreateMaterialTypesOperation:CreateMaterialTypesOperationConstructor + + export const as_dto_material_create_CreateMaterialTypesOperationResult:CreateMaterialTypesOperationResultConstructor + + export const as_dto_material_create_CreateMaterialsOperation:CreateMaterialsOperationConstructor + + export const as_dto_material_create_CreateMaterialsOperationResult:CreateMaterialsOperationResultConstructor + + export const as_dto_material_create_MaterialCreation:MaterialCreationConstructor + + export const as_dto_material_create_MaterialTypeCreation:MaterialTypeCreationConstructor + + export const as_dto_material_delete_DeleteMaterialTypesOperation:DeleteMaterialTypesOperationConstructor + + export const as_dto_material_delete_DeleteMaterialTypesOperationResult:DeleteMaterialTypesOperationResultConstructor + + export const as_dto_material_delete_DeleteMaterialsOperation:DeleteMaterialsOperationConstructor + + export const as_dto_material_delete_DeleteMaterialsOperationResult:DeleteMaterialsOperationResultConstructor + + export const as_dto_material_delete_MaterialDeletionOptions:MaterialDeletionOptionsConstructor + + export const as_dto_material_delete_MaterialTypeDeletionOptions:MaterialTypeDeletionOptionsConstructor + + export const as_dto_material_fetchoptions_MaterialFetchOptions:MaterialFetchOptionsConstructor + + export const as_dto_material_fetchoptions_MaterialSortOptions:MaterialSortOptionsConstructor + + export const as_dto_material_fetchoptions_MaterialTypeFetchOptions:MaterialTypeFetchOptionsConstructor + + export const as_dto_material_fetchoptions_MaterialTypeSortOptions:MaterialTypeSortOptionsConstructor + + export const as_dto_material_get_GetMaterialTypesOperation:GetMaterialTypesOperationConstructor + + export const as_dto_material_get_GetMaterialTypesOperationResult:GetMaterialTypesOperationResultConstructor + + export const as_dto_material_get_GetMaterialsOperation:GetMaterialsOperationConstructor + + export const as_dto_material_get_GetMaterialsOperationResult:GetMaterialsOperationResultConstructor + + export const as_dto_material_id_MaterialPermId:MaterialPermIdConstructor + + export const as_dto_material_search_MaterialSearchCriteria:MaterialSearchCriteriaConstructor + + export const as_dto_material_search_MaterialTypeSearchCriteria:MaterialTypeSearchCriteriaConstructor + + export const as_dto_material_search_SearchMaterialTypesOperation:SearchMaterialTypesOperationConstructor + + export const as_dto_material_search_SearchMaterialTypesOperationResult:SearchMaterialTypesOperationResultConstructor + + export const as_dto_material_search_SearchMaterialsOperation:SearchMaterialsOperationConstructor + + export const as_dto_material_search_SearchMaterialsOperationResult:SearchMaterialsOperationResultConstructor + + export const as_dto_material_update_MaterialTypeUpdate:MaterialTypeUpdateConstructor + + export const as_dto_material_update_MaterialUpdate:MaterialUpdateConstructor + + export const as_dto_material_update_UpdateMaterialTypesOperation:UpdateMaterialTypesOperationConstructor + + export const as_dto_material_update_UpdateMaterialTypesOperationResult:UpdateMaterialTypesOperationResultConstructor + + export const as_dto_material_update_UpdateMaterialsOperation:UpdateMaterialsOperationConstructor + + export const as_dto_material_update_UpdateMaterialsOperationResult:UpdateMaterialsOperationResultConstructor + + export const as_dto_objectkindmodification_ObjectKindModification:ObjectKindModificationConstructor + + export const as_dto_objectkindmodification_fetchoptions_ObjectKindModificationFetchOptions:ObjectKindModificationFetchOptionsConstructor + + export const as_dto_objectkindmodification_fetchoptions_ObjectKindModificationSortOptions:ObjectKindModificationSortOptionsConstructor + + export const as_dto_objectkindmodification_search_ObjectKindCriteria:ObjectKindCriteriaConstructor + + export const as_dto_objectkindmodification_search_ObjectKindModificationSearchCriteria:ObjectKindModificationSearchCriteriaConstructor + + export const as_dto_objectkindmodification_search_OperationKindCriteria:OperationKindCriteriaConstructor + + export const as_dto_objectkindmodification_search_SearchObjectKindModificationsOperation:SearchObjectKindModificationsOperationConstructor + + export const as_dto_objectkindmodification_search_SearchObjectKindModificationsOperationResult:SearchObjectKindModificationsOperationResultConstructor + + export const as_dto_operation_AbstractOperationExecutionOptions:AbstractOperationExecutionOptionsConstructor + + export const as_dto_operation_AsynchronousOperationExecutionOptions:AsynchronousOperationExecutionOptionsConstructor + + export const as_dto_operation_AsynchronousOperationExecutionResults:AsynchronousOperationExecutionResultsConstructor + + export const as_dto_operation_OperationExecution:OperationExecutionConstructor + + export const as_dto_operation_OperationExecutionDetails:OperationExecutionDetailsConstructor + + export const as_dto_operation_OperationExecutionEmailNotification:OperationExecutionEmailNotificationConstructor + + export const as_dto_operation_OperationExecutionError:OperationExecutionErrorConstructor + + export const as_dto_operation_OperationExecutionProgress:OperationExecutionProgressConstructor + + export const as_dto_operation_OperationExecutionSummary:OperationExecutionSummaryConstructor + + export const as_dto_operation_SynchronousOperationExecutionOptions:SynchronousOperationExecutionOptionsConstructor + + export const as_dto_operation_SynchronousOperationExecutionResults:SynchronousOperationExecutionResultsConstructor + + export const as_dto_operation_delete_DeleteOperationExecutionsOperation:DeleteOperationExecutionsOperationConstructor + + export const as_dto_operation_delete_DeleteOperationExecutionsOperationResult:DeleteOperationExecutionsOperationResultConstructor + + export const as_dto_operation_delete_OperationExecutionDeletionOptions:OperationExecutionDeletionOptionsConstructor + + export const as_dto_operation_fetchoptions_OperationExecutionDetailsFetchOptions:OperationExecutionDetailsFetchOptionsConstructor + + export const as_dto_operation_fetchoptions_OperationExecutionDetailsSortOptions:OperationExecutionDetailsSortOptionsConstructor + + export const as_dto_operation_fetchoptions_OperationExecutionFetchOptions:OperationExecutionFetchOptionsConstructor + + export const as_dto_operation_fetchoptions_OperationExecutionNotificationFetchOptions:OperationExecutionNotificationFetchOptionsConstructor + + export const as_dto_operation_fetchoptions_OperationExecutionNotificationSortOptions:OperationExecutionNotificationSortOptionsConstructor + + export const as_dto_operation_fetchoptions_OperationExecutionSortOptions:OperationExecutionSortOptionsConstructor + + export const as_dto_operation_fetchoptions_OperationExecutionSummaryFetchOptions:OperationExecutionSummaryFetchOptionsConstructor + + export const as_dto_operation_fetchoptions_OperationExecutionSummarySortOptions:OperationExecutionSummarySortOptionsConstructor + + export const as_dto_operation_get_GetOperationExecutionsOperation:GetOperationExecutionsOperationConstructor + + export const as_dto_operation_get_GetOperationExecutionsOperationResult:GetOperationExecutionsOperationResultConstructor + + export const as_dto_operation_id_OperationExecutionPermId:OperationExecutionPermIdConstructor + + export const as_dto_operation_search_OperationExecutionSearchCriteria:OperationExecutionSearchCriteriaConstructor + + export const as_dto_operation_search_SearchOperationExecutionsOperation:SearchOperationExecutionsOperationConstructor + + export const as_dto_operation_search_SearchOperationExecutionsOperationResult:SearchOperationExecutionsOperationResultConstructor + + export const as_dto_operation_update_OperationExecutionUpdate:OperationExecutionUpdateConstructor + + export const as_dto_operation_update_UpdateOperationExecutionsOperation:UpdateOperationExecutionsOperationConstructor + + export const as_dto_operation_update_UpdateOperationExecutionsOperationResult:UpdateOperationExecutionsOperationResultConstructor + + export const as_dto_pat_PersonalAccessToken:PersonalAccessTokenConstructor + + export const as_dto_pat_create_CreatePersonalAccessTokensOperation:CreatePersonalAccessTokensOperationConstructor + + export const as_dto_pat_create_CreatePersonalAccessTokensOperationResult:CreatePersonalAccessTokensOperationResultConstructor + + export const as_dto_pat_create_PersonalAccessTokenCreation:PersonalAccessTokenCreationConstructor + + export const as_dto_pat_delete_DeletePersonalAccessTokensOperation:DeletePersonalAccessTokensOperationConstructor + + export const as_dto_pat_delete_DeletePersonalAccessTokensOperationResult:DeletePersonalAccessTokensOperationResultConstructor + + export const as_dto_pat_delete_PersonalAccessTokenDeletionOptions:PersonalAccessTokenDeletionOptionsConstructor + + export const as_dto_pat_fetchoptions_PersonalAccessTokenFetchOptions:PersonalAccessTokenFetchOptionsConstructor + + export const as_dto_pat_fetchoptions_PersonalAccessTokenSortOptions:PersonalAccessTokenSortOptionsConstructor + + export const as_dto_pat_get_GetPersonalAccessTokensOperation:GetPersonalAccessTokensOperationConstructor + + export const as_dto_pat_get_GetPersonalAccessTokensOperationResult:GetPersonalAccessTokensOperationResultConstructor + + export const as_dto_pat_id_PersonalAccessTokenPermId:PersonalAccessTokenPermIdConstructor + + export const as_dto_pat_search_PersonalAccessTokenOwnerSearchCriteria:PersonalAccessTokenOwnerSearchCriteriaConstructor + + export const as_dto_pat_search_PersonalAccessTokenSearchCriteria:PersonalAccessTokenSearchCriteriaConstructor + + export const as_dto_pat_search_PersonalAccessTokenSessionNameSearchCriteria:as_dto_pat_search_PersonalAccessTokenSessionNameSearchCriteriaConstructor + + export const as_dto_pat_search_SearchPersonalAccessTokensOperation:SearchPersonalAccessTokensOperationConstructor + + export const as_dto_pat_search_SearchPersonalAccessTokensOperationResult:SearchPersonalAccessTokensOperationResultConstructor + + export const as_dto_pat_update_PersonalAccessTokenUpdate:PersonalAccessTokenUpdateConstructor + + export const as_dto_pat_update_UpdatePersonalAccessTokensOperation:UpdatePersonalAccessTokensOperationConstructor + + export const as_dto_pat_update_UpdatePersonalAccessTokensOperationResult:UpdatePersonalAccessTokensOperationResultConstructor + + export const as_dto_person_Person:PersonConstructor + + export const as_dto_person_create_CreatePersonsOperation:CreatePersonsOperationConstructor + + export const as_dto_person_create_CreatePersonsOperationResult:CreatePersonsOperationResultConstructor + + export const as_dto_person_create_PersonCreation:PersonCreationConstructor + + export const as_dto_person_delete_DeletePersonsOperation:DeletePersonsOperationConstructor + + export const as_dto_person_delete_DeletePersonsOperationResult:DeletePersonsOperationResultConstructor + + export const as_dto_person_delete_PersonDeletionOptions:PersonDeletionOptionsConstructor + + export const as_dto_person_fetchoptions_PersonFetchOptions:PersonFetchOptionsConstructor + + export const as_dto_person_fetchoptions_PersonSortOptions:PersonSortOptionsConstructor + + export const as_dto_person_get_GetPersonsOperation:GetPersonsOperationConstructor + + export const as_dto_person_get_GetPersonsOperationResult:GetPersonsOperationResultConstructor + + export const as_dto_person_id_Me:MeConstructor + + export const as_dto_person_id_PersonPermId:PersonPermIdConstructor + + export const as_dto_person_search_EmailSearchCriteria:EmailSearchCriteriaConstructor + + export const as_dto_person_search_FirstNameSearchCriteria:FirstNameSearchCriteriaConstructor + + export const as_dto_person_search_LastNameSearchCriteria:LastNameSearchCriteriaConstructor + + export const as_dto_person_search_ModifierSearchCriteria:ModifierSearchCriteriaConstructor + + export const as_dto_person_search_PersonSearchCriteria:PersonSearchCriteriaConstructor + + export const as_dto_person_search_RegistratorSearchCriteria:RegistratorSearchCriteriaConstructor + + export const as_dto_person_search_SearchPersonsOperation:SearchPersonsOperationConstructor + + export const as_dto_person_search_SearchPersonsOperationResult:SearchPersonsOperationResultConstructor + + export const as_dto_person_search_UserIdSearchCriteria:UserIdSearchCriteriaConstructor + + export const as_dto_person_search_UserIdsSearchCriteria:UserIdsSearchCriteriaConstructor + + export const as_dto_person_update_PersonUpdate:PersonUpdateConstructor + + export const as_dto_person_update_UpdatePersonsOperation:UpdatePersonsOperationConstructor + + export const as_dto_person_update_UpdatePersonsOperationResult:UpdatePersonsOperationResultConstructor + + export const as_dto_plugin_Plugin:PluginConstructor + + export const as_dto_plugin_create_CreatePluginsOperation:CreatePluginsOperationConstructor + + export const as_dto_plugin_create_CreatePluginsOperationResult:CreatePluginsOperationResultConstructor + + export const as_dto_plugin_create_PluginCreation:PluginCreationConstructor + + export const as_dto_plugin_delete_DeletePluginsOperation:DeletePluginsOperationConstructor + + export const as_dto_plugin_delete_DeletePluginsOperationResult:DeletePluginsOperationResultConstructor + + export const as_dto_plugin_delete_PluginDeletionOptions:PluginDeletionOptionsConstructor + + export const as_dto_plugin_evaluate_DynamicPropertyPluginEvaluationOptions:DynamicPropertyPluginEvaluationOptionsConstructor + + export const as_dto_plugin_evaluate_DynamicPropertyPluginEvaluationResult:DynamicPropertyPluginEvaluationResultConstructor + + export const as_dto_plugin_evaluate_EntityValidationPluginEvaluationOptions:EntityValidationPluginEvaluationOptionsConstructor + + export const as_dto_plugin_evaluate_EntityValidationPluginEvaluationResult:EntityValidationPluginEvaluationResultConstructor + + export const as_dto_plugin_evaluate_EvaluatePluginOperation:EvaluatePluginOperationConstructor + + export const as_dto_plugin_evaluate_EvaluatePluginOperationResult:EvaluatePluginOperationResultConstructor + + export const as_dto_plugin_evaluate_PluginEvaluationOptions:PluginEvaluationOptionsConstructor + + export const as_dto_plugin_evaluate_PluginEvaluationResult:PluginEvaluationResultConstructor + + export const as_dto_plugin_fetchoptions_PluginFetchOptions:PluginFetchOptionsConstructor + + export const as_dto_plugin_fetchoptions_PluginSortOptions:PluginSortOptionsConstructor + + export const as_dto_plugin_get_GetPluginsOperation:GetPluginsOperationConstructor + + export const as_dto_plugin_get_GetPluginsOperationResult:GetPluginsOperationResultConstructor + + export const as_dto_plugin_id_PluginPermId:PluginPermIdConstructor + + export const as_dto_plugin_search_PluginKindSearchCriteria:PluginKindSearchCriteriaConstructor + + export const as_dto_plugin_search_PluginSearchCriteria:PluginSearchCriteriaConstructor + + export const as_dto_plugin_search_PluginTypeSearchCriteria:PluginTypeSearchCriteriaConstructor + + export const as_dto_plugin_search_SearchPluginsOperation:SearchPluginsOperationConstructor + + export const as_dto_plugin_search_SearchPluginsOperationResult:SearchPluginsOperationResultConstructor + + export const as_dto_plugin_update_PluginUpdate:PluginUpdateConstructor + + export const as_dto_plugin_update_UpdatePluginsOperation:UpdatePluginsOperationConstructor + + export const as_dto_plugin_update_UpdatePluginsOperationResult:UpdatePluginsOperationResultConstructor + + export const as_dto_project_Project:ProjectConstructor + + export const as_dto_project_create_CreateProjectsOperation:CreateProjectsOperationConstructor + + export const as_dto_project_create_CreateProjectsOperationResult:CreateProjectsOperationResultConstructor + + export const as_dto_project_create_ProjectCreation:ProjectCreationConstructor + + export const as_dto_project_delete_DeleteProjectsOperation:DeleteProjectsOperationConstructor + + export const as_dto_project_delete_DeleteProjectsOperationResult:DeleteProjectsOperationResultConstructor + + export const as_dto_project_delete_ProjectDeletionOptions:ProjectDeletionOptionsConstructor + + export const as_dto_project_fetchoptions_ProjectFetchOptions:ProjectFetchOptionsConstructor + + export const as_dto_project_fetchoptions_ProjectSortOptions:ProjectSortOptionsConstructor + + export const as_dto_project_get_GetProjectsOperation:GetProjectsOperationConstructor + + export const as_dto_project_get_GetProjectsOperationResult:GetProjectsOperationResultConstructor + + export const as_dto_project_id_ProjectIdentifier:ProjectIdentifierConstructor + + export const as_dto_project_id_ProjectPermId:ProjectPermIdConstructor + + export const as_dto_project_search_NoProjectSearchCriteria:NoProjectSearchCriteriaConstructor + + export const as_dto_project_search_ProjectSearchCriteria:ProjectSearchCriteriaConstructor + + export const as_dto_project_search_SearchProjectsOperation:SearchProjectsOperationConstructor + + export const as_dto_project_search_SearchProjectsOperationResult:SearchProjectsOperationResultConstructor + + export const as_dto_project_update_ProjectUpdate:ProjectUpdateConstructor + + export const as_dto_project_update_UpdateProjectsOperation:UpdateProjectsOperationConstructor + + export const as_dto_project_update_UpdateProjectsOperationResult:UpdateProjectsOperationResultConstructor + + export const as_dto_property_PropertyAssignment:PropertyAssignmentConstructor + + export const as_dto_property_PropertyType:PropertyTypeConstructor + + export const as_dto_property_create_CreatePropertyTypesOperation:CreatePropertyTypesOperationConstructor + + export const as_dto_property_create_CreatePropertyTypesOperationResult:CreatePropertyTypesOperationResultConstructor + + export const as_dto_property_create_PropertyAssignmentCreation:PropertyAssignmentCreationConstructor + + export const as_dto_property_create_PropertyTypeCreation:PropertyTypeCreationConstructor + + export const as_dto_property_delete_DeletePropertyTypesOperation:DeletePropertyTypesOperationConstructor + + export const as_dto_property_delete_DeletePropertyTypesOperationResult:DeletePropertyTypesOperationResultConstructor + + export const as_dto_property_delete_PropertyTypeDeletionOptions:PropertyTypeDeletionOptionsConstructor + + export const as_dto_property_fetchoptions_PropertyAssignmentFetchOptions:PropertyAssignmentFetchOptionsConstructor + + export const as_dto_property_fetchoptions_PropertyAssignmentSortOptions:PropertyAssignmentSortOptionsConstructor + + export const as_dto_property_fetchoptions_PropertyFetchOptions:PropertyFetchOptionsConstructor + + export const as_dto_property_fetchoptions_PropertyTypeFetchOptions:PropertyTypeFetchOptionsConstructor + + export const as_dto_property_fetchoptions_PropertyTypeSortOptions:PropertyTypeSortOptionsConstructor + + export const as_dto_property_get_GetPropertyTypesOperation:GetPropertyTypesOperationConstructor + + export const as_dto_property_get_GetPropertyTypesOperationResult:GetPropertyTypesOperationResultConstructor + + export const as_dto_property_id_PropertyAssignmentPermId:PropertyAssignmentPermIdConstructor + + export const as_dto_property_id_PropertyTypePermId:PropertyTypePermIdConstructor + + export const as_dto_property_search_PropertyAssignmentSearchCriteria:PropertyAssignmentSearchCriteriaConstructor + + export const as_dto_property_search_PropertyTypeSearchCriteria:PropertyTypeSearchCriteriaConstructor + + export const as_dto_property_search_SearchPropertyAssignmentsOperation:SearchPropertyAssignmentsOperationConstructor + + export const as_dto_property_search_SearchPropertyAssignmentsOperationResult:SearchPropertyAssignmentsOperationResultConstructor + + export const as_dto_property_search_SearchPropertyTypesOperation:SearchPropertyTypesOperationConstructor + + export const as_dto_property_search_SearchPropertyTypesOperationResult:SearchPropertyTypesOperationResultConstructor + + export const as_dto_property_update_PropertyTypeUpdate:PropertyTypeUpdateConstructor + + export const as_dto_property_update_UpdatePropertyTypesOperation:UpdatePropertyTypesOperationConstructor + + export const as_dto_property_update_UpdatePropertyTypesOperationResult:UpdatePropertyTypesOperationResultConstructor + + export const as_dto_query_Query:QueryConstructor + + export const as_dto_query_QueryDatabase:QueryDatabaseConstructor + + export const as_dto_query_create_CreateQueriesOperation:CreateQueriesOperationConstructor + + export const as_dto_query_create_CreateQueriesOperationResult:CreateQueriesOperationResultConstructor + + export const as_dto_query_create_QueryCreation:QueryCreationConstructor + + export const as_dto_query_delete_DeleteQueriesOperation:DeleteQueriesOperationConstructor + + export const as_dto_query_delete_DeleteQueriesOperationResult:DeleteQueriesOperationResultConstructor + + export const as_dto_query_delete_QueryDeletionOptions:QueryDeletionOptionsConstructor + + export const as_dto_query_execute_ExecuteQueryOperation:ExecuteQueryOperationConstructor + + export const as_dto_query_execute_ExecuteQueryOperationResult:ExecuteQueryOperationResultConstructor + + export const as_dto_query_execute_ExecuteSqlOperation:ExecuteSqlOperationConstructor + + export const as_dto_query_execute_ExecuteSqlOperationResult:ExecuteSqlOperationResultConstructor + + export const as_dto_query_execute_QueryExecutionOptions:QueryExecutionOptionsConstructor + + export const as_dto_query_execute_SqlExecutionOptions:SqlExecutionOptionsConstructor + + export const as_dto_query_fetchoptions_QueryDatabaseFetchOptions:QueryDatabaseFetchOptionsConstructor + + export const as_dto_query_fetchoptions_QueryDatabaseSortOptions:QueryDatabaseSortOptionsConstructor + + export const as_dto_query_fetchoptions_QueryFetchOptions:QueryFetchOptionsConstructor + + export const as_dto_query_fetchoptions_QuerySortOptions:QuerySortOptionsConstructor + + export const as_dto_query_get_GetQueriesOperation:GetQueriesOperationConstructor + + export const as_dto_query_get_GetQueriesOperationResult:GetQueriesOperationResultConstructor + + export const as_dto_query_get_GetQueryDatabasesOperation:GetQueryDatabasesOperationConstructor + + export const as_dto_query_get_GetQueryDatabasesOperationResult:GetQueryDatabasesOperationResultConstructor + + export const as_dto_query_id_QueryDatabaseName:QueryDatabaseNameConstructor + + export const as_dto_query_id_QueryName:QueryNameConstructor + + export const as_dto_query_id_QueryTechId:QueryTechIdConstructor + + export const as_dto_query_search_DatabaseIdSearchCriteria:DatabaseIdSearchCriteriaConstructor + + export const as_dto_query_search_EntityTypeCodePatternSearchCriteria:EntityTypeCodePatternSearchCriteriaConstructor + + export const as_dto_query_search_QueryDatabaseSearchCriteria:QueryDatabaseSearchCriteriaConstructor + + export const as_dto_query_search_QuerySearchCriteria:QuerySearchCriteriaConstructor + + export const as_dto_query_search_QueryTypeSearchCriteria:QueryTypeSearchCriteriaConstructor + + export const as_dto_query_search_SearchQueriesOperation:SearchQueriesOperationConstructor + + export const as_dto_query_search_SearchQueriesOperationResult:SearchQueriesOperationResultConstructor + + export const as_dto_query_search_SearchQueryDatabasesOperation:SearchQueryDatabasesOperationConstructor + + export const as_dto_query_search_SearchQueryDatabasesOperationResult:SearchQueryDatabasesOperationResultConstructor + + export const as_dto_query_search_SqlSearchCriteria:SqlSearchCriteriaConstructor + + export const as_dto_query_update_QueryUpdate:QueryUpdateConstructor + + export const as_dto_query_update_UpdateQueriesOperation:UpdateQueriesOperationConstructor + + export const as_dto_query_update_UpdateQueriesOperationResult:UpdateQueriesOperationResultConstructor + + export const as_dto_rights_Rights:RightsConstructor + + export const as_dto_rights_fetchoptions_RightsFetchOptions:RightsFetchOptionsConstructor + + export const as_dto_rights_get_GetRightsOperation:GetRightsOperationConstructor + + export const as_dto_rights_get_GetRightsOperationResult:GetRightsOperationResultConstructor + + export const as_dto_roleassignment_RoleAssignment:RoleAssignmentConstructor + + export const as_dto_roleassignment_create_CreateRoleAssignmentsOperation:CreateRoleAssignmentsOperationConstructor + + export const as_dto_roleassignment_create_CreateRoleAssignmentsOperationResult:CreateRoleAssignmentsOperationResultConstructor + + export const as_dto_roleassignment_create_RoleAssignmentCreation:RoleAssignmentCreationConstructor + + export const as_dto_roleassignment_delete_DeleteRoleAssignmentsOperation:DeleteRoleAssignmentsOperationConstructor + + export const as_dto_roleassignment_delete_DeleteRoleAssignmentsOperationResult:DeleteRoleAssignmentsOperationResultConstructor + + export const as_dto_roleassignment_delete_RoleAssignmentDeletionOptions:RoleAssignmentDeletionOptionsConstructor + + export const as_dto_roleassignment_fetchoptions_RoleAssignmentFetchOptions:RoleAssignmentFetchOptionsConstructor + + export const as_dto_roleassignment_fetchoptions_RoleAssignmentSortOptions:RoleAssignmentSortOptionsConstructor + + export const as_dto_roleassignment_get_GetRoleAssignmentsOperation:GetRoleAssignmentsOperationConstructor + + export const as_dto_roleassignment_get_GetRoleAssignmentsOperationResult:GetRoleAssignmentsOperationResultConstructor + + export const as_dto_roleassignment_id_RoleAssignmentTechId:RoleAssignmentTechIdConstructor + + export const as_dto_roleassignment_search_RoleAssignmentSearchCriteria:RoleAssignmentSearchCriteriaConstructor + + export const as_dto_roleassignment_search_SearchRoleAssignmentsOperation:SearchRoleAssignmentsOperationConstructor + + export const as_dto_roleassignment_search_SearchRoleAssignmentsOperationResult:SearchRoleAssignmentsOperationResultConstructor + + export const as_dto_sample_Sample:SampleConstructor + + export const as_dto_sample_SampleType:SampleTypeConstructor + + export const as_dto_sample_create_CreateSampleTypesOperation:CreateSampleTypesOperationConstructor + + export const as_dto_sample_create_CreateSampleTypesOperationResult:CreateSampleTypesOperationResultConstructor + + export const as_dto_sample_create_CreateSamplesOperation:CreateSamplesOperationConstructor + + export const as_dto_sample_create_CreateSamplesOperationResult:CreateSamplesOperationResultConstructor + + export const as_dto_sample_create_SampleCreation:SampleCreationConstructor + + export const as_dto_sample_create_SampleTypeCreation:SampleTypeCreationConstructor + + export const as_dto_sample_delete_DeleteSampleTypesOperation:DeleteSampleTypesOperationConstructor + + export const as_dto_sample_delete_DeleteSampleTypesOperationResult:DeleteSampleTypesOperationResultConstructor + + export const as_dto_sample_delete_DeleteSamplesOperation:DeleteSamplesOperationConstructor + + export const as_dto_sample_delete_DeleteSamplesOperationResult:DeleteSamplesOperationResultConstructor + + export const as_dto_sample_delete_SampleDeletionOptions:SampleDeletionOptionsConstructor + + export const as_dto_sample_delete_SampleTypeDeletionOptions:SampleTypeDeletionOptionsConstructor + + export const as_dto_sample_fetchoptions_SampleFetchOptions:SampleFetchOptionsConstructor + + export const as_dto_sample_fetchoptions_SampleSortOptions:SampleSortOptionsConstructor + + export const as_dto_sample_fetchoptions_SampleTypeFetchOptions:SampleTypeFetchOptionsConstructor + + export const as_dto_sample_fetchoptions_SampleTypeSortOptions:SampleTypeSortOptionsConstructor + + export const as_dto_sample_get_GetSampleTypesOperation:GetSampleTypesOperationConstructor + + export const as_dto_sample_get_GetSampleTypesOperationResult:GetSampleTypesOperationResultConstructor + + export const as_dto_sample_get_GetSamplesOperation:GetSamplesOperationConstructor + + export const as_dto_sample_get_GetSamplesOperationResult:GetSamplesOperationResultConstructor + + export const as_dto_sample_id_SampleIdentifier:SampleIdentifierConstructor + + export const as_dto_sample_id_SamplePermId:SamplePermIdConstructor + + export const as_dto_sample_search_ListableSampleTypeSearchCriteria:ListableSampleTypeSearchCriteriaConstructor + + export const as_dto_sample_search_NoSampleContainerSearchCriteria:NoSampleContainerSearchCriteriaConstructor + + export const as_dto_sample_search_NoSampleSearchCriteria:NoSampleSearchCriteriaConstructor + + export const as_dto_sample_search_SampleChildrenSearchCriteria:SampleChildrenSearchCriteriaConstructor + + export const as_dto_sample_search_SampleContainerSearchCriteria:SampleContainerSearchCriteriaConstructor + + export const as_dto_sample_search_SampleParentsSearchCriteria:SampleParentsSearchCriteriaConstructor + + export const as_dto_sample_search_SampleSearchCriteria:SampleSearchCriteriaConstructor + + export const as_dto_sample_search_SampleTypeSearchCriteria:SampleTypeSearchCriteriaConstructor + + export const as_dto_sample_search_SearchSampleTypesOperation:SearchSampleTypesOperationConstructor + + export const as_dto_sample_search_SearchSampleTypesOperationResult:SearchSampleTypesOperationResultConstructor + + export const as_dto_sample_search_SearchSamplesOperation:SearchSamplesOperationConstructor + + export const as_dto_sample_search_SearchSamplesOperationResult:SearchSamplesOperationResultConstructor + + export const as_dto_sample_update_SampleTypeUpdate:SampleTypeUpdateConstructor + + export const as_dto_sample_update_SampleUpdate:SampleUpdateConstructor + + export const as_dto_sample_update_UpdateSampleTypesOperation:UpdateSampleTypesOperationConstructor + + export const as_dto_sample_update_UpdateSampleTypesOperationResult:UpdateSampleTypesOperationResultConstructor + + export const as_dto_sample_update_UpdateSamplesOperation:UpdateSamplesOperationConstructor + + export const as_dto_sample_update_UpdateSamplesOperationResult:UpdateSamplesOperationResultConstructor + + export const as_dto_semanticannotation_SemanticAnnotation:SemanticAnnotationConstructor + + export const as_dto_semanticannotation_create_CreateSemanticAnnotationsOperation:CreateSemanticAnnotationsOperationConstructor + + export const as_dto_semanticannotation_create_CreateSemanticAnnotationsOperationResult:CreateSemanticAnnotationsOperationResultConstructor + + export const as_dto_semanticannotation_create_SemanticAnnotationCreation:SemanticAnnotationCreationConstructor + + export const as_dto_semanticannotation_delete_DeleteSemanticAnnotationsOperation:DeleteSemanticAnnotationsOperationConstructor + + export const as_dto_semanticannotation_delete_DeleteSemanticAnnotationsOperationResult:DeleteSemanticAnnotationsOperationResultConstructor + + export const as_dto_semanticannotation_delete_SemanticAnnotationDeletionOptions:SemanticAnnotationDeletionOptionsConstructor + + export const as_dto_semanticannotation_fetchoptions_SemanticAnnotationFetchOptions:SemanticAnnotationFetchOptionsConstructor + + export const as_dto_semanticannotation_fetchoptions_SemanticAnnotationSortOptions:SemanticAnnotationSortOptionsConstructor + + export const as_dto_semanticannotation_get_GetSemanticAnnotationsOperation:GetSemanticAnnotationsOperationConstructor + + export const as_dto_semanticannotation_get_GetSemanticAnnotationsOperationResult:GetSemanticAnnotationsOperationResultConstructor + + export const as_dto_semanticannotation_id_SemanticAnnotationPermId:SemanticAnnotationPermIdConstructor + + export const as_dto_semanticannotation_search_DescriptorAccessionIdSearchCriteria:DescriptorAccessionIdSearchCriteriaConstructor + + export const as_dto_semanticannotation_search_DescriptorOntologyIdSearchCriteria:DescriptorOntologyIdSearchCriteriaConstructor + + export const as_dto_semanticannotation_search_DescriptorOntologyVersionSearchCriteria:DescriptorOntologyVersionSearchCriteriaConstructor + + export const as_dto_semanticannotation_search_PredicateAccessionIdSearchCriteria:PredicateAccessionIdSearchCriteriaConstructor + + export const as_dto_semanticannotation_search_PredicateOntologyIdSearchCriteria:PredicateOntologyIdSearchCriteriaConstructor + + export const as_dto_semanticannotation_search_PredicateOntologyVersionSearchCriteria:PredicateOntologyVersionSearchCriteriaConstructor + + export const as_dto_semanticannotation_search_SearchSemanticAnnotationsOperation:SearchSemanticAnnotationsOperationConstructor + + export const as_dto_semanticannotation_search_SearchSemanticAnnotationsOperationResult:SearchSemanticAnnotationsOperationResultConstructor + + export const as_dto_semanticannotation_search_SemanticAnnotationSearchCriteria:SemanticAnnotationSearchCriteriaConstructor + + export const as_dto_semanticannotation_update_SemanticAnnotationUpdate:SemanticAnnotationUpdateConstructor + + export const as_dto_semanticannotation_update_UpdateSemanticAnnotationsOperation:UpdateSemanticAnnotationsOperationConstructor + + export const as_dto_semanticannotation_update_UpdateSemanticAnnotationsOperationResult:UpdateSemanticAnnotationsOperationResultConstructor + + export const as_dto_service_AggregationService:AggregationServiceConstructor + + export const as_dto_service_CustomASService:CustomASServiceConstructor + + export const as_dto_service_CustomASServiceExecutionOptions:CustomASServiceExecutionOptionsConstructor + + export const as_dto_service_ProcessingService:ProcessingServiceConstructor + + export const as_dto_service_ReportingService:ReportingServiceConstructor + + export const as_dto_service_SearchDomainService:SearchDomainServiceConstructor + + export const as_dto_service_SearchDomainServiceExecutionResult:SearchDomainServiceExecutionResultConstructor + + export const as_dto_service_SearchDomainServiceSearchOption:SearchDomainServiceSearchOptionConstructor + + export const as_dto_service_execute_AbstractExecutionOptionsWithParameters:as_dto_service_execute_AbstractExecutionOptionsWithParametersConstructor + + export const as_dto_service_execute_AggregationServiceExecutionOptions:AggregationServiceExecutionOptionsConstructor + + export const as_dto_service_execute_ExecuteAggregationServiceOperation:ExecuteAggregationServiceOperationConstructor + + export const as_dto_service_execute_ExecuteAggregationServiceOperationResult:ExecuteAggregationServiceOperationResultConstructor + + export const as_dto_service_execute_ExecuteCustomASServiceOperation:ExecuteCustomASServiceOperationConstructor + + export const as_dto_service_execute_ExecuteCustomASServiceOperationResult:ExecuteCustomASServiceOperationResultConstructor + + export const as_dto_service_execute_ExecuteProcessingServiceOperation:ExecuteProcessingServiceOperationConstructor + + export const as_dto_service_execute_ExecuteProcessingServiceOperationResult:ExecuteProcessingServiceOperationResultConstructor + + export const as_dto_service_execute_ExecuteReportingServiceOperation:ExecuteReportingServiceOperationConstructor + + export const as_dto_service_execute_ExecuteReportingServiceOperationResult:ExecuteReportingServiceOperationResultConstructor + + export const as_dto_service_execute_ExecuteSearchDomainServiceOperation:ExecuteSearchDomainServiceOperationConstructor + + export const as_dto_service_execute_ExecuteSearchDomainServiceOperationResult:ExecuteSearchDomainServiceOperationResultConstructor + + export const as_dto_service_execute_ProcessingServiceExecutionOptions:ProcessingServiceExecutionOptionsConstructor + + export const as_dto_service_execute_ReportingServiceExecutionOptions:ReportingServiceExecutionOptionsConstructor + + export const as_dto_service_execute_SearchDomainServiceExecutionOptions:SearchDomainServiceExecutionOptionsConstructor + + export const as_dto_service_fetchoptions_AggregationServiceFetchOptions:AggregationServiceFetchOptionsConstructor + + export const as_dto_service_fetchoptions_AggregationServiceSortOptions:AggregationServiceSortOptionsConstructor + + export const as_dto_service_fetchoptions_CustomASServiceFetchOptions:CustomASServiceFetchOptionsConstructor + + export const as_dto_service_fetchoptions_CustomASServiceSortOptions:CustomASServiceSortOptionsConstructor + + export const as_dto_service_fetchoptions_ProcessingServiceFetchOptions:ProcessingServiceFetchOptionsConstructor + + export const as_dto_service_fetchoptions_ProcessingServiceSortOptions:ProcessingServiceSortOptionsConstructor + + export const as_dto_service_fetchoptions_ReportingServiceFetchOptions:ReportingServiceFetchOptionsConstructor + + export const as_dto_service_fetchoptions_ReportingServiceSortOptions:ReportingServiceSortOptionsConstructor + + export const as_dto_service_fetchoptions_SearchDomainServiceFetchOptions:SearchDomainServiceFetchOptionsConstructor + + export const as_dto_service_fetchoptions_SearchDomainServiceSortOptions:SearchDomainServiceSortOptionsConstructor + + export const as_dto_service_id_CustomASServiceCode:CustomASServiceCodeConstructor + + export const as_dto_service_id_DssServicePermId:DssServicePermIdConstructor + + export const as_dto_service_search_AggregationServiceSearchCriteria:AggregationServiceSearchCriteriaConstructor + + export const as_dto_service_search_CustomASServiceSearchCriteria:CustomASServiceSearchCriteriaConstructor + + export const as_dto_service_search_ProcessingServiceSearchCriteria:ProcessingServiceSearchCriteriaConstructor + + export const as_dto_service_search_ReportingServiceSearchCriteria:ReportingServiceSearchCriteriaConstructor + + export const as_dto_service_search_SearchAggregationServicesOperation:SearchAggregationServicesOperationConstructor + + export const as_dto_service_search_SearchAggregationServicesOperationResult:SearchAggregationServicesOperationResultConstructor + + export const as_dto_service_search_SearchCustomASServicesOperation:SearchCustomASServicesOperationConstructor + + export const as_dto_service_search_SearchCustomASServicesOperationResult:SearchCustomASServicesOperationResultConstructor + + export const as_dto_service_search_SearchDomainServiceSearchCriteria:SearchDomainServiceSearchCriteriaConstructor + + export const as_dto_service_search_SearchProcessingServicesOperation:SearchProcessingServicesOperationConstructor + + export const as_dto_service_search_SearchProcessingServicesOperationResult:SearchProcessingServicesOperationResultConstructor + + export const as_dto_service_search_SearchReportingServicesOperation:SearchReportingServicesOperationConstructor + + export const as_dto_service_search_SearchReportingServicesOperationResult:SearchReportingServicesOperationResultConstructor + + export const as_dto_service_search_SearchSearchDomainServicesOperation:SearchSearchDomainServicesOperationConstructor + + export const as_dto_service_search_SearchSearchDomainServicesOperationResult:SearchSearchDomainServicesOperationResultConstructor + + export const as_dto_session_SessionInformation:SessionInformationConstructor + + export const as_dto_session_fetchoptions_SessionInformationFetchOptions:SessionInformationFetchOptionsConstructor + + export const as_dto_session_fetchoptions_SessionInformationSortOptions:SessionInformationSortOptionsConstructor + + export const as_dto_session_get_GetSessionInformationOperation:GetSessionInformationOperationConstructor + + export const as_dto_session_get_GetSessionInformationOperationResult:GetSessionInformationOperationResultConstructor + + export const as_dto_session_id_SessionInformationPermId:SessionInformationPermIdConstructor + + export const as_dto_session_search_PersonalAccessTokenSessionNameSearchCriteria:as_dto_session_search_PersonalAccessTokenSessionNameSearchCriteriaConstructor + + export const as_dto_session_search_PersonalAccessTokenSessionSearchCriteria:PersonalAccessTokenSessionSearchCriteriaConstructor + + export const as_dto_session_search_SearchSessionInformationOperation:SearchSessionInformationOperationConstructor + + export const as_dto_session_search_SearchSessionInformationOperationResult:SearchSessionInformationOperationResultConstructor + + export const as_dto_session_search_SessionInformationSearchCriteria:SessionInformationSearchCriteriaConstructor + + export const as_dto_session_search_UserNameSearchCriteria:UserNameSearchCriteriaConstructor + + export const as_dto_space_Space:SpaceConstructor + + export const as_dto_space_create_CreateSpacesOperation:CreateSpacesOperationConstructor + + export const as_dto_space_create_CreateSpacesOperationResult:CreateSpacesOperationResultConstructor + + export const as_dto_space_create_SpaceCreation:SpaceCreationConstructor + + export const as_dto_space_delete_DeleteSpacesOperation:DeleteSpacesOperationConstructor + + export const as_dto_space_delete_DeleteSpacesOperationResult:DeleteSpacesOperationResultConstructor + + export const as_dto_space_delete_SpaceDeletionOptions:SpaceDeletionOptionsConstructor + + export const as_dto_space_fetchoptions_SpaceFetchOptions:SpaceFetchOptionsConstructor + + export const as_dto_space_fetchoptions_SpaceSortOptions:SpaceSortOptionsConstructor + + export const as_dto_space_get_GetSpacesOperation:GetSpacesOperationConstructor + + export const as_dto_space_get_GetSpacesOperationResult:GetSpacesOperationResultConstructor + + export const as_dto_space_id_SpacePermId:SpacePermIdConstructor + + export const as_dto_space_id_SpaceTechId:SpaceTechIdConstructor + + export const as_dto_space_search_NoSpaceSearchCriteria:NoSpaceSearchCriteriaConstructor + + export const as_dto_space_search_SearchSpacesOperation:SearchSpacesOperationConstructor + + export const as_dto_space_search_SearchSpacesOperationResult:SearchSpacesOperationResultConstructor + + export const as_dto_space_search_SpaceSearchCriteria:SpaceSearchCriteriaConstructor + + export const as_dto_space_update_SpaceUpdate:SpaceUpdateConstructor + + export const as_dto_space_update_UpdateSpacesOperation:UpdateSpacesOperationConstructor + + export const as_dto_space_update_UpdateSpacesOperationResult:UpdateSpacesOperationResultConstructor + + export const as_dto_tag_Tag:TagConstructor + + export const as_dto_tag_create_CreateTagsOperation:CreateTagsOperationConstructor + + export const as_dto_tag_create_CreateTagsOperationResult:CreateTagsOperationResultConstructor + + export const as_dto_tag_create_TagCreation:TagCreationConstructor + + export const as_dto_tag_delete_DeleteTagsOperation:DeleteTagsOperationConstructor + + export const as_dto_tag_delete_DeleteTagsOperationResult:DeleteTagsOperationResultConstructor + + export const as_dto_tag_delete_TagDeletionOptions:TagDeletionOptionsConstructor + + export const as_dto_tag_fetchoptions_TagFetchOptions:TagFetchOptionsConstructor + + export const as_dto_tag_fetchoptions_TagSortOptions:TagSortOptionsConstructor + + export const as_dto_tag_get_GetTagsOperation:GetTagsOperationConstructor + + export const as_dto_tag_get_GetTagsOperationResult:GetTagsOperationResultConstructor + + export const as_dto_tag_id_TagCode:TagCodeConstructor + + export const as_dto_tag_id_TagPermId:TagPermIdConstructor + + export const as_dto_tag_search_SearchTagsOperation:SearchTagsOperationConstructor + + export const as_dto_tag_search_SearchTagsOperationResult:SearchTagsOperationResultConstructor + + export const as_dto_tag_search_TagSearchCriteria:TagSearchCriteriaConstructor + + export const as_dto_tag_update_TagUpdate:TagUpdateConstructor + + export const as_dto_tag_update_UpdateTagsOperation:UpdateTagsOperationConstructor + + export const as_dto_tag_update_UpdateTagsOperationResult:UpdateTagsOperationResultConstructor + + export const as_dto_vocabulary_Vocabulary:VocabularyConstructor + + export const as_dto_vocabulary_VocabularyTerm:VocabularyTermConstructor + + export const as_dto_vocabulary_create_CreateVocabulariesOperation:CreateVocabulariesOperationConstructor + + export const as_dto_vocabulary_create_CreateVocabulariesOperationResult:CreateVocabulariesOperationResultConstructor + + export const as_dto_vocabulary_create_CreateVocabularyTermsOperation:CreateVocabularyTermsOperationConstructor + + export const as_dto_vocabulary_create_CreateVocabularyTermsOperationResult:CreateVocabularyTermsOperationResultConstructor + + export const as_dto_vocabulary_create_VocabularyCreation:VocabularyCreationConstructor + + export const as_dto_vocabulary_create_VocabularyTermCreation:VocabularyTermCreationConstructor + + export const as_dto_vocabulary_delete_DeleteVocabulariesOperation:DeleteVocabulariesOperationConstructor + + export const as_dto_vocabulary_delete_DeleteVocabulariesOperationResult:DeleteVocabulariesOperationResultConstructor + + export const as_dto_vocabulary_delete_DeleteVocabularyTermsOperation:DeleteVocabularyTermsOperationConstructor + + export const as_dto_vocabulary_delete_DeleteVocabularyTermsOperationResult:DeleteVocabularyTermsOperationResultConstructor + + export const as_dto_vocabulary_delete_VocabularyDeletionOptions:VocabularyDeletionOptionsConstructor + + export const as_dto_vocabulary_delete_VocabularyTermDeletionOptions:VocabularyTermDeletionOptionsConstructor + + export const as_dto_vocabulary_delete_VocabularyTermReplacement:VocabularyTermReplacementConstructor + + export const as_dto_vocabulary_fetchoptions_VocabularyFetchOptions:VocabularyFetchOptionsConstructor + + export const as_dto_vocabulary_fetchoptions_VocabularySortOptions:VocabularySortOptionsConstructor + + export const as_dto_vocabulary_fetchoptions_VocabularyTermFetchOptions:VocabularyTermFetchOptionsConstructor + + export const as_dto_vocabulary_fetchoptions_VocabularyTermSortOptions:VocabularyTermSortOptionsConstructor + + export const as_dto_vocabulary_get_GetVocabulariesOperation:GetVocabulariesOperationConstructor + + export const as_dto_vocabulary_get_GetVocabulariesOperationResult:GetVocabulariesOperationResultConstructor + + export const as_dto_vocabulary_get_GetVocabularyTermsOperation:GetVocabularyTermsOperationConstructor + + export const as_dto_vocabulary_get_GetVocabularyTermsOperationResult:GetVocabularyTermsOperationResultConstructor + + export const as_dto_vocabulary_id_VocabularyPermId:VocabularyPermIdConstructor + + export const as_dto_vocabulary_id_VocabularyTermPermId:VocabularyTermPermIdConstructor + + export const as_dto_vocabulary_search_SearchVocabulariesOperation:SearchVocabulariesOperationConstructor + + export const as_dto_vocabulary_search_SearchVocabulariesOperationResult:SearchVocabulariesOperationResultConstructor + + export const as_dto_vocabulary_search_SearchVocabularyTermsOperation:SearchVocabularyTermsOperationConstructor + + export const as_dto_vocabulary_search_SearchVocabularyTermsOperationResult:SearchVocabularyTermsOperationResultConstructor + + export const as_dto_vocabulary_search_VocabularySearchCriteria:VocabularySearchCriteriaConstructor + + export const as_dto_vocabulary_search_VocabularyTermSearchCriteria:VocabularyTermSearchCriteriaConstructor + + export const as_dto_vocabulary_update_UpdateVocabulariesOperation:UpdateVocabulariesOperationConstructor + + export const as_dto_vocabulary_update_UpdateVocabulariesOperationResult:UpdateVocabulariesOperationResultConstructor + + export const as_dto_vocabulary_update_UpdateVocabularyTermsOperation:UpdateVocabularyTermsOperationConstructor + + export const as_dto_vocabulary_update_UpdateVocabularyTermsOperationResult:UpdateVocabularyTermsOperationResultConstructor + + export const as_dto_vocabulary_update_VocabularyTermUpdate:VocabularyTermUpdateConstructor + + export const as_dto_vocabulary_update_VocabularyUpdate:VocabularyUpdateConstructor + + export const as_dto_webapp_WebAppSetting:WebAppSettingConstructor + + export const as_dto_webapp_WebAppSettings:WebAppSettingsConstructor + + export const as_dto_webapp_create_WebAppSettingCreation:WebAppSettingCreationConstructor + + export const as_dto_webapp_fetchoptions_WebAppSettingsFetchOptions:WebAppSettingsFetchOptionsConstructor + + export const as_dto_webapp_fetchoptions_WebAppSettingsSortOptions:WebAppSettingsSortOptionsConstructor + + export const as_dto_webapp_update_WebAppSettingsUpdateValue:WebAppSettingsUpdateValueConstructor + + export const dss_dto_dataset_create_FullDataSetCreation:FullDataSetCreationConstructor + + export const dss_dto_dataset_create_UploadedDataSetCreation:UploadedDataSetCreationConstructor + + export const dss_dto_datasetfile_DataSetFile:DataSetFileConstructor + + export const dss_dto_datasetfile_create_DataSetFileCreation:DataSetFileCreationConstructor + + export const dss_dto_datasetfile_fastdownload_FastDownloadSession:FastDownloadSessionConstructor + + export const dss_dto_datasetfile_fastdownload_FastDownloadSessionOptions:FastDownloadSessionOptionsConstructor + + export const dss_dto_datasetfile_fetchoptions_DataSetFileFetchOptions:DataSetFileFetchOptionsConstructor + + export const dss_dto_datasetfile_fetchoptions_DataSetFileSortOptions:DataSetFileSortOptionsConstructor + + export const dss_dto_datasetfile_id_DataSetFilePermId:DataSetFilePermIdConstructor + + export const dss_dto_datasetfile_search_DataSetFileSearchCriteria:DataSetFileSearchCriteriaConstructor + + export const dss_dto_service_CustomDSSService:CustomDSSServiceConstructor + + export const dss_dto_service_CustomDSSServiceExecutionOptions:CustomDSSServiceExecutionOptionsConstructor + + export const dss_dto_service_execute_AbstractExecutionOptionsWithParameters:dss_dto_service_execute_AbstractExecutionOptionsWithParametersConstructor + + export const dss_dto_service_execute_ExecuteCustomDSSServiceOperationResult:ExecuteCustomDSSServiceOperationResultConstructor + + export const dss_dto_service_fetchoptions_CustomDSSServiceFetchOptions:CustomDSSServiceFetchOptionsConstructor + + export const dss_dto_service_fetchoptions_CustomDSSServiceSortOptions:CustomDSSServiceSortOptionsConstructor + + export const dss_dto_service_id_CustomDssServiceCode:CustomDssServiceCodeConstructor + + export const openbis:OpenBISJavaScriptFacadeConstructor + + type = CreateDataSetUploadResult + + type = OpenBISJavaScriptDSSFacade + + type ArchivingStatus = typeof ArchivingStatus[keyof typeof ArchivingStatus] + + type Attribute = typeof Attribute[keyof typeof Attribute] + + type CacheMode = typeof CacheMode[keyof typeof CacheMode] + + type Complete = typeof Complete[keyof typeof Complete] + + type DataSetKind = typeof DataSetKind[keyof typeof DataSetKind] + + type DataSetRelationType = typeof DataSetRelationType[keyof typeof DataSetRelationType] + + type DataSetSearchRelation = typeof DataSetSearchRelation[keyof typeof DataSetSearchRelation] + + type DataType = typeof DataType[keyof typeof DataType] + + type EntityKind = typeof EntityKind[keyof typeof EntityKind] + + type EntityType = typeof EntityType[keyof typeof EntityType] + + type EventType = typeof EventType[keyof typeof EventType] + + type ExperimentRelationType = typeof ExperimentRelationType[keyof typeof ExperimentRelationType] + + type ExportFormat = typeof ExportFormat[keyof typeof ExportFormat] + + type ExportableKind = typeof ExportableKind[keyof typeof ExportableKind] + + type ExternalDmsAddressType = typeof ExternalDmsAddressType[keyof typeof ExternalDmsAddressType] + + type GlobalSearchObjectKind = typeof GlobalSearchObjectKind[keyof typeof GlobalSearchObjectKind] + + type ImportFormat = typeof ImportFormat[keyof typeof ImportFormat] + + type ImportMode = typeof ImportMode[keyof typeof ImportMode] + + type ObjectKind = typeof ObjectKind[keyof typeof ObjectKind] + + type OperationExecutionAvailability = typeof OperationExecutionAvailability[keyof typeof OperationExecutionAvailability] + + type OperationExecutionState = typeof OperationExecutionState[keyof typeof OperationExecutionState] + + type OperationKind = typeof OperationKind[keyof typeof OperationKind] + + type PluginKind = typeof PluginKind[keyof typeof PluginKind] + + type PluginType = typeof PluginType[keyof typeof PluginType] + + type ProjectRelationType = typeof ProjectRelationType[keyof typeof ProjectRelationType] + + type QueryType = typeof QueryType[keyof typeof QueryType] + + type Right = typeof Right[keyof typeof Right] + + type Role = typeof Role[keyof typeof Role] + + type RoleLevel = typeof RoleLevel[keyof typeof RoleLevel] + + type SampleRelationType = typeof SampleRelationType[keyof typeof SampleRelationType] + + type SampleSearchRelation = typeof SampleSearchRelation[keyof typeof SampleSearchRelation] + + type SearchFieldType = typeof SearchFieldType[keyof typeof SearchFieldType] + + type SearchOperator = typeof SearchOperator[keyof typeof SearchOperator] + + type SortParameter = typeof SortParameter[keyof typeof SortParameter] + + type XlsTextFormat = typeof XlsTextFormat[keyof typeof XlsTextFormat] + + type as_dto_attachment_Attachment = Attachment + + type as_dto_attachment_create_AttachmentCreation = AttachmentCreation + + type as_dto_attachment_fetchoptions_AttachmentFetchOptions = AttachmentFetchOptions + + type as_dto_attachment_fetchoptions_AttachmentSortOptions = AttachmentSortOptions + + type as_dto_attachment_id_AttachmentFileName = AttachmentFileName + + type as_dto_attachment_id_IAttachmentId = IAttachmentId + + type as_dto_attachment_update_AttachmentListUpdateValue = AttachmentListUpdateValue + + type as_dto_authorizationgroup_AuthorizationGroup = AuthorizationGroup + + type as_dto_authorizationgroup_create_AuthorizationGroupCreation = AuthorizationGroupCreation + + type as_dto_authorizationgroup_create_CreateAuthorizationGroupsOperation = CreateAuthorizationGroupsOperation + + type as_dto_authorizationgroup_create_CreateAuthorizationGroupsOperationResult = CreateAuthorizationGroupsOperationResult + + type as_dto_authorizationgroup_delete_AuthorizationGroupDeletionOptions = AuthorizationGroupDeletionOptions + + type as_dto_authorizationgroup_delete_DeleteAuthorizationGroupsOperation = DeleteAuthorizationGroupsOperation + + type as_dto_authorizationgroup_delete_DeleteAuthorizationGroupsOperationResult = DeleteAuthorizationGroupsOperationResult + + type as_dto_authorizationgroup_fetchoptions_AuthorizationGroupFetchOptions = AuthorizationGroupFetchOptions + + type as_dto_authorizationgroup_fetchoptions_AuthorizationGroupSortOptions = AuthorizationGroupSortOptions + + type as_dto_authorizationgroup_get_GetAuthorizationGroupsOperation = GetAuthorizationGroupsOperation + + type as_dto_authorizationgroup_get_GetAuthorizationGroupsOperationResult = GetAuthorizationGroupsOperationResult + + type as_dto_authorizationgroup_id_AuthorizationGroupPermId = AuthorizationGroupPermId + + type as_dto_authorizationgroup_id_IAuthorizationGroupId = IAuthorizationGroupId + + type as_dto_authorizationgroup_search_AuthorizationGroupSearchCriteria = AuthorizationGroupSearchCriteria + + type as_dto_authorizationgroup_search_SearchAuthorizationGroupsOperation = SearchAuthorizationGroupsOperation + + type as_dto_authorizationgroup_search_SearchAuthorizationGroupsOperationResult = SearchAuthorizationGroupsOperationResult + + type as_dto_authorizationgroup_update_AuthorizationGroupUpdate = AuthorizationGroupUpdate + + type as_dto_authorizationgroup_update_UpdateAuthorizationGroupsOperation = UpdateAuthorizationGroupsOperation + + type as_dto_authorizationgroup_update_UpdateAuthorizationGroupsOperationResult = UpdateAuthorizationGroupsOperationResult + + type as_dto_common_ITableCell = ITableCell + + type as_dto_common_Relationship = Relationship + + type as_dto_common_TableColumn = TableColumn + + type as_dto_common_TableDoubleCell = TableDoubleCell + + type as_dto_common_TableLongCell = TableLongCell + + type as_dto_common_TableModel = TableModel + + type as_dto_common_TableStringCell = TableStringCell + + type as_dto_common_create_CreateObjectsOperation<C extends IObjectCreation> = CreateObjectsOperation<C> + + type as_dto_common_create_CreateObjectsOperationResult<ID extends IObjectId> = CreateObjectsOperationResult<ID> + + type as_dto_common_create_ICreation = ICreation + + type as_dto_common_create_IObjectCreation = IObjectCreation + + type as_dto_common_delete_DeleteObjectsOperation<ID extends IObjectId,OPTIONS extends AbstractObjectDeletionOptions<OPTIONS>> = DeleteObjectsOperation<ID,OPTIONS> + + type as_dto_common_delete_DeleteObjectsOperationResult = DeleteObjectsOperationResult + + type as_dto_common_delete_DeleteObjectsWithTrashOperationResult = DeleteObjectsWithTrashOperationResult + + type as_dto_common_delete_DeleteObjectsWithoutTrashOperationResult = DeleteObjectsWithoutTrashOperationResult + + type as_dto_common_entity_AbstractEntity<OBJECT extends any> = AbstractEntity<OBJECT> + + type as_dto_common_entity_AbstractEntityCreation = AbstractEntityCreation + + type as_dto_common_entity_AbstractEntityPropertyHolder = AbstractEntityPropertyHolder + + type as_dto_common_entity_AbstractEntityUpdate = AbstractEntityUpdate + + type as_dto_common_fetchoptions_AbstractEntityFetchOptions<OBJECT extends any> = AbstractEntityFetchOptions<OBJECT> + + type as_dto_common_fetchoptions_CacheMode = typeof as_dto_common_fetchoptions_CacheMode[keyof typeof as_dto_common_fetchoptions_CacheMode] + + type as_dto_common_fetchoptions_EmptyFetchOptions = EmptyFetchOptions + + type as_dto_common_fetchoptions_EntitySortOptions<OBJECT extends ICodeHolder> = EntitySortOptions<OBJECT> + + type as_dto_common_fetchoptions_EntityWithPropertiesSortOptions<OBJECT extends ICodeHolder> = EntityWithPropertiesSortOptions<OBJECT> + + type as_dto_common_fetchoptions_FetchOptions<OBJECT extends any> = FetchOptions<OBJECT> + + type as_dto_common_fetchoptions_SortOptions<OBJECT extends any> = SortOptions<OBJECT> + + type as_dto_common_fetchoptions_SortOrder = SortOrder + + type as_dto_common_fetchoptions_SortParameter = typeof as_dto_common_fetchoptions_SortParameter[keyof typeof as_dto_common_fetchoptions_SortParameter] + + type as_dto_common_fetchoptions_Sorting = Sorting + + type as_dto_common_get_GetObjectsOperation<ID extends IObjectId,FETCH_OPTIONS extends FetchOptions<any>> = GetObjectsOperation<ID,FETCH_OPTIONS> + + type as_dto_common_get_GetObjectsOperationResult<ID extends IObjectId,OBJECT extends any> = GetObjectsOperationResult<ID,OBJECT> + + type as_dto_common_get_GetServerInformationOperation = GetServerInformationOperation + + type as_dto_common_get_GetServerInformationOperationResult = GetServerInformationOperationResult + + type as_dto_common_get_GetServerPublicInformationOperation = GetServerPublicInformationOperation + + type as_dto_common_get_GetServerPublicInformationOperationResult = GetServerPublicInformationOperationResult + + type as_dto_common_id_CreationId = CreationId + + type as_dto_common_id_IObjectId = IObjectId + + type as_dto_common_id_ObjectIdentifier = ObjectIdentifier + + type as_dto_common_id_ObjectPermId = ObjectPermId + + type as_dto_common_id_ObjectTechId = ObjectTechId + + type as_dto_common_interfaces_IAttachmentsHolder = IAttachmentsHolder + + type as_dto_common_interfaces_ICodeHolder = ICodeHolder + + type as_dto_common_interfaces_ICreationIdHolder = ICreationIdHolder + + type as_dto_common_interfaces_IDataSetCodesHolder = IDataSetCodesHolder + + type as_dto_common_interfaces_IDataSetsHolder = IDataSetsHolder + + type as_dto_common_interfaces_IDescriptionHolder = IDescriptionHolder + + type as_dto_common_interfaces_IEntityType = IEntityType + + type as_dto_common_interfaces_IEntityTypeHolder = IEntityTypeHolder + + type as_dto_common_interfaces_IExperimentHolder = IExperimentHolder + + type as_dto_common_interfaces_IExperimentsHolder = IExperimentsHolder + + type as_dto_common_interfaces_IIdentifierHolder = IIdentifierHolder + + type as_dto_common_interfaces_ILabelHolder = ILabelHolder + + type as_dto_common_interfaces_IMaterialPropertiesHolder = IMaterialPropertiesHolder + + type as_dto_common_interfaces_IMaterialsHolder = IMaterialsHolder + + type as_dto_common_interfaces_IMetaDataUpdateHolder = IMetaDataUpdateHolder + + type as_dto_common_interfaces_IModificationDateHolder = IModificationDateHolder + + type as_dto_common_interfaces_IModifierHolder = IModifierHolder + + type as_dto_common_interfaces_INameHolder = INameHolder + + type as_dto_common_interfaces_IOwnerHolder = IOwnerHolder + + type as_dto_common_interfaces_IParentChildrenHolder<T extends any> = IParentChildrenHolder<T> + + type as_dto_common_interfaces_IPermIdHolder = IPermIdHolder + + type as_dto_common_interfaces_IProjectHolder = IProjectHolder + + type as_dto_common_interfaces_IProjectsHolder = IProjectsHolder + + type as_dto_common_interfaces_IPropertiesHolder = IPropertiesHolder + + type as_dto_common_interfaces_IPropertyAssignmentsHolder = IPropertyAssignmentsHolder + + type as_dto_common_interfaces_IPropertyTypeHolder = IPropertyTypeHolder + + type as_dto_common_interfaces_IRegistrationDateHolder = IRegistrationDateHolder + + type as_dto_common_interfaces_IRegistratorHolder = IRegistratorHolder + + type as_dto_common_interfaces_ISampleHolder = ISampleHolder + + type as_dto_common_interfaces_ISamplesHolder = ISamplesHolder + + type as_dto_common_interfaces_ISemanticAnnotationsHolder = ISemanticAnnotationsHolder + + type as_dto_common_interfaces_ISpaceHolder = ISpaceHolder + + type as_dto_common_interfaces_ITagsHolder = ITagsHolder + + type as_dto_common_interfaces_IValidationPluginHolder = IValidationPluginHolder + + type as_dto_common_operation_IOperation = IOperation + + type as_dto_common_operation_IOperationExecutionError = IOperationExecutionError + + type as_dto_common_operation_IOperationExecutionProgress = IOperationExecutionProgress + + type as_dto_common_operation_IOperationResult = as_dto_common_operation_IOperationResult + + type as_dto_common_search_AbstractCompositeSearchCriteria = AbstractCompositeSearchCriteria + + type as_dto_common_search_AbstractDateObjectValue = AbstractDateObjectValue + + type as_dto_common_search_AbstractDateValue = AbstractDateValue + + type as_dto_common_search_AbstractEntitySearchCriteria<ID extends IObjectId> = AbstractEntitySearchCriteria<ID> + + type as_dto_common_search_AbstractFieldSearchCriteria<T extends any> = AbstractFieldSearchCriteria<T> + + type as_dto_common_search_AbstractNumberValue = AbstractNumberValue + + type as_dto_common_search_AbstractObjectSearchCriteria<ID extends IObjectId> = AbstractObjectSearchCriteria<ID> + + type as_dto_common_search_AbstractSearchCriteria = AbstractSearchCriteria + + type as_dto_common_search_AbstractStringValue = AbstractStringValue + + type as_dto_common_search_AbstractValue<T extends any> = AbstractValue<T> + + type as_dto_common_search_AnyBooleanPropertySearchCriteria = AnyBooleanPropertySearchCriteria + + type as_dto_common_search_AnyDatePropertySearchCriteria = AnyDatePropertySearchCriteria + + type as_dto_common_search_AnyFieldSearchCriteria = AnyFieldSearchCriteria + + type as_dto_common_search_AnyNumberPropertySearchCriteria = AnyNumberPropertySearchCriteria + + type as_dto_common_search_AnyPropertySearchCriteria = AnyPropertySearchCriteria + + type as_dto_common_search_AnyStringPropertySearchCriteria = AnyStringPropertySearchCriteria + + type as_dto_common_search_AnyStringValue = AnyStringValue + + type as_dto_common_search_BooleanFieldSearchCriteria = BooleanFieldSearchCriteria + + type as_dto_common_search_BooleanPropertySearchCriteria = BooleanPropertySearchCriteria + + type as_dto_common_search_CodeSearchCriteria = CodeSearchCriteria + + type as_dto_common_search_CodesSearchCriteria = CodesSearchCriteria + + type as_dto_common_search_CollectionFieldSearchCriteria<T extends any> = CollectionFieldSearchCriteria<T> + + type as_dto_common_search_ControlledVocabularyPropertySearchCriteria = ControlledVocabularyPropertySearchCriteria + + type as_dto_common_search_DateEarlierThanOrEqualToValue = DateEarlierThanOrEqualToValue + + type as_dto_common_search_DateEarlierThanValue = DateEarlierThanValue + + type as_dto_common_search_DateEqualToValue = DateEqualToValue + + type as_dto_common_search_DateFieldSearchCriteria = DateFieldSearchCriteria + + type as_dto_common_search_DateLaterThanOrEqualToValue = DateLaterThanOrEqualToValue + + type as_dto_common_search_DateLaterThanValue = DateLaterThanValue + + type as_dto_common_search_DateObjectEarlierThanOrEqualToValue = DateObjectEarlierThanOrEqualToValue + + type as_dto_common_search_DateObjectEarlierThanValue = DateObjectEarlierThanValue + + type as_dto_common_search_DateObjectEqualToValue = DateObjectEqualToValue + + type as_dto_common_search_DateObjectLaterThanOrEqualToValue = DateObjectLaterThanOrEqualToValue + + type as_dto_common_search_DateObjectLaterThanValue = DateObjectLaterThanValue + + type as_dto_common_search_DatePropertySearchCriteria = DatePropertySearchCriteria + + type as_dto_common_search_DescriptionSearchCriteria = DescriptionSearchCriteria + + type as_dto_common_search_EnumFieldSearchCriteria<T> = EnumFieldSearchCriteria<T> + + type as_dto_common_search_IDate = IDate + + type as_dto_common_search_IDateFormat = IDateFormat + + type as_dto_common_search_ISearchCriteria = ISearchCriteria + + type as_dto_common_search_ITimeZone = ITimeZone + + type as_dto_common_search_IdSearchCriteria<T extends IObjectId> = IdSearchCriteria<T> + + type as_dto_common_search_IdentifierSearchCriteria = IdentifierSearchCriteria + + type as_dto_common_search_IdsSearchCriteria<T extends IObjectId> = IdsSearchCriteria<T> + + type as_dto_common_search_LongDateFormat = LongDateFormat + + type as_dto_common_search_ModificationDateSearchCriteria = ModificationDateSearchCriteria + + type as_dto_common_search_NameSearchCriteria = NameSearchCriteria + + type as_dto_common_search_NormalDateFormat = NormalDateFormat + + type as_dto_common_search_NumberEqualToValue = NumberEqualToValue + + type as_dto_common_search_NumberFieldSearchCriteria = NumberFieldSearchCriteria + + type as_dto_common_search_NumberGreaterThanOrEqualToValue = NumberGreaterThanOrEqualToValue + + type as_dto_common_search_NumberGreaterThanValue = NumberGreaterThanValue + + type as_dto_common_search_NumberLessThanOrEqualToValue = NumberLessThanOrEqualToValue + + type as_dto_common_search_NumberLessThanValue = NumberLessThanValue + + type as_dto_common_search_NumberPropertySearchCriteria = NumberPropertySearchCriteria + + type as_dto_common_search_PermIdSearchCriteria = PermIdSearchCriteria + + type as_dto_common_search_RegistrationDateSearchCriteria = RegistrationDateSearchCriteria + + type as_dto_common_search_SamplePropertySearchCriteria = SamplePropertySearchCriteria + + type as_dto_common_search_SearchFieldType = typeof as_dto_common_search_SearchFieldType[keyof typeof as_dto_common_search_SearchFieldType] + + type as_dto_common_search_SearchObjectsOperation<CRITERIA extends ISearchCriteria,FETCH_OPTIONS extends FetchOptions<any>> = SearchObjectsOperation<CRITERIA,FETCH_OPTIONS> + + type as_dto_common_search_SearchObjectsOperationResult<OBJECT extends any> = SearchObjectsOperationResult<OBJECT> + + type as_dto_common_search_SearchOperator = typeof as_dto_common_search_SearchOperator[keyof typeof as_dto_common_search_SearchOperator] + + type as_dto_common_search_SearchResult<OBJECT extends any> = SearchResult<OBJECT> + + type as_dto_common_search_ServerTimeZone = ServerTimeZone + + type as_dto_common_search_ShortDateFormat = ShortDateFormat + + type as_dto_common_search_StrictlyStringPropertySearchCriteria = StrictlyStringPropertySearchCriteria + + type as_dto_common_search_StringContainsExactlyValue = StringContainsExactlyValue + + type as_dto_common_search_StringContainsValue = StringContainsValue + + type as_dto_common_search_StringEndsWithValue = StringEndsWithValue + + type as_dto_common_search_StringEqualToValue = StringEqualToValue + + type as_dto_common_search_StringFieldSearchCriteria = StringFieldSearchCriteria + + type as_dto_common_search_StringGreaterThanOrEqualToValue = StringGreaterThanOrEqualToValue + + type as_dto_common_search_StringGreaterThanValue = StringGreaterThanValue + + type as_dto_common_search_StringLessThanOrEqualToValue = StringLessThanOrEqualToValue + + type as_dto_common_search_StringLessThanValue = StringLessThanValue + + type as_dto_common_search_StringMatchesValue = StringMatchesValue + + type as_dto_common_search_StringPropertySearchCriteria = StringPropertySearchCriteria + + type as_dto_common_search_StringStartsWithValue = StringStartsWithValue + + type as_dto_common_search_TechIdSearchCriteria = TechIdSearchCriteria + + type as_dto_common_search_TextAttributeSearchCriteria = TextAttributeSearchCriteria + + type as_dto_common_search_TimeZone = TimeZone + + type as_dto_common_update_FieldUpdateValue<T extends any> = FieldUpdateValue<T> + + type as_dto_common_update_IObjectUpdate<ID extends IObjectId> = IObjectUpdate<ID> + + type as_dto_common_update_IUpdate = IUpdate + + type as_dto_common_update_IdListUpdateValue<T extends any> = IdListUpdateValue<T> + + type as_dto_common_update_ListUpdateAction<T extends any> = ListUpdateAction<T> + + type as_dto_common_update_ListUpdateActionAdd<ADD extends any> = ListUpdateActionAdd<ADD> + + type as_dto_common_update_ListUpdateActionRemove<REMOVE extends any> = ListUpdateActionRemove<REMOVE> + + type as_dto_common_update_ListUpdateActionSet<SET extends any> = ListUpdateActionSet<SET> + + type as_dto_common_update_ListUpdateMapValues = ListUpdateMapValues + + type as_dto_common_update_ListUpdateValue<ADD extends any,REMOVE extends any,SET extends any,ACTION extends any> = ListUpdateValue<ADD,REMOVE,SET,ACTION> + + type as_dto_common_update_RelationshipUpdate = RelationshipUpdate + + type as_dto_common_update_UpdateObjectsOperation<U extends IObjectUpdate<any>> = UpdateObjectsOperation<U> + + type as_dto_common_update_UpdateObjectsOperationResult<ID extends IObjectId> = UpdateObjectsOperationResult<ID> + + type as_dto_dataset_ArchivingStatus = typeof as_dto_dataset_ArchivingStatus[keyof typeof as_dto_dataset_ArchivingStatus] + + type as_dto_dataset_Complete = typeof as_dto_dataset_Complete[keyof typeof as_dto_dataset_Complete] + + type as_dto_dataset_ContentCopy = ContentCopy + + type as_dto_dataset_DataSet = DataSet + + type as_dto_dataset_DataSetKind = typeof as_dto_dataset_DataSetKind[keyof typeof as_dto_dataset_DataSetKind] + + type as_dto_dataset_DataSetType = DataSetType + + type as_dto_dataset_FileFormatType = FileFormatType + + type as_dto_dataset_LinkedData = LinkedData + + type as_dto_dataset_LocatorType = LocatorType + + type as_dto_dataset_PhysicalData = PhysicalData + + type as_dto_dataset_StorageFormat = StorageFormat + + type as_dto_dataset_archive_ArchiveDataSetsOperation = ArchiveDataSetsOperation + + type as_dto_dataset_archive_ArchiveDataSetsOperationResult = ArchiveDataSetsOperationResult + + type as_dto_dataset_archive_DataSetArchiveOptions = DataSetArchiveOptions + + type as_dto_dataset_create_ContentCopyCreation = ContentCopyCreation + + type as_dto_dataset_create_CreateDataSetTypesOperation = CreateDataSetTypesOperation + + type as_dto_dataset_create_CreateDataSetTypesOperationResult = CreateDataSetTypesOperationResult + + type as_dto_dataset_create_CreateDataSetsOperation = CreateDataSetsOperation + + type as_dto_dataset_create_CreateDataSetsOperationResult = CreateDataSetsOperationResult + + type as_dto_dataset_create_DataSetCreation = DataSetCreation + + type as_dto_dataset_create_DataSetTypeCreation = DataSetTypeCreation + + type as_dto_dataset_create_LinkedDataCreation = LinkedDataCreation + + type as_dto_dataset_create_PhysicalDataCreation = PhysicalDataCreation + + type as_dto_dataset_delete_DataSetDeletionOptions = DataSetDeletionOptions + + type as_dto_dataset_delete_DataSetTypeDeletionOptions = DataSetTypeDeletionOptions + + type as_dto_dataset_delete_DeleteDataSetTypesOperation = DeleteDataSetTypesOperation + + type as_dto_dataset_delete_DeleteDataSetTypesOperationResult = DeleteDataSetTypesOperationResult + + type as_dto_dataset_delete_DeleteDataSetsOperation = DeleteDataSetsOperation + + type as_dto_dataset_delete_DeleteDataSetsOperationResult = DeleteDataSetsOperationResult + + type as_dto_dataset_fetchoptions_DataSetFetchOptions = DataSetFetchOptions + + type as_dto_dataset_fetchoptions_DataSetSortOptions = DataSetSortOptions + + type as_dto_dataset_fetchoptions_DataSetTypeFetchOptions = DataSetTypeFetchOptions + + type as_dto_dataset_fetchoptions_DataSetTypeSortOptions = DataSetTypeSortOptions + + type as_dto_dataset_fetchoptions_FileFormatTypeFetchOptions = FileFormatTypeFetchOptions + + type as_dto_dataset_fetchoptions_FileFormatTypeSortOptions = FileFormatTypeSortOptions + + type as_dto_dataset_fetchoptions_LinkedDataFetchOptions = LinkedDataFetchOptions + + type as_dto_dataset_fetchoptions_LinkedDataSortOptions = LinkedDataSortOptions + + type as_dto_dataset_fetchoptions_LocatorTypeFetchOptions = LocatorTypeFetchOptions + + type as_dto_dataset_fetchoptions_LocatorTypeSortOptions = LocatorTypeSortOptions + + type as_dto_dataset_fetchoptions_PhysicalDataFetchOptions = PhysicalDataFetchOptions + + type as_dto_dataset_fetchoptions_PhysicalDataSortOptions = PhysicalDataSortOptions + + type as_dto_dataset_fetchoptions_StorageFormatFetchOptions = StorageFormatFetchOptions + + type as_dto_dataset_fetchoptions_StorageFormatSortOptions = StorageFormatSortOptions + + type as_dto_dataset_get_GetDataSetTypesOperation = GetDataSetTypesOperation + + type as_dto_dataset_get_GetDataSetTypesOperationResult = GetDataSetTypesOperationResult + + type as_dto_dataset_get_GetDataSetsOperation = GetDataSetsOperation + + type as_dto_dataset_get_GetDataSetsOperationResult = GetDataSetsOperationResult + + type as_dto_dataset_history_DataSetRelationType = typeof as_dto_dataset_history_DataSetRelationType[keyof typeof as_dto_dataset_history_DataSetRelationType] + + type as_dto_dataset_id_BdsDirectoryStorageFormatPermId = BdsDirectoryStorageFormatPermId + + type as_dto_dataset_id_ContentCopyPermId = ContentCopyPermId + + type as_dto_dataset_id_DataSetPermId = DataSetPermId + + type as_dto_dataset_id_FileFormatTypePermId = FileFormatTypePermId + + type as_dto_dataset_id_IContentCopyId = IContentCopyId + + type as_dto_dataset_id_IDataSetId = IDataSetId + + type as_dto_dataset_id_IFileFormatTypeId = IFileFormatTypeId + + type as_dto_dataset_id_ILocatorTypeId = ILocatorTypeId + + type as_dto_dataset_id_IStorageFormatId = IStorageFormatId + + type as_dto_dataset_id_LocatorTypePermId = LocatorTypePermId + + type as_dto_dataset_id_ProprietaryStorageFormatPermId = ProprietaryStorageFormatPermId + + type as_dto_dataset_id_RelativeLocationLocatorTypePermId = RelativeLocationLocatorTypePermId + + type as_dto_dataset_id_StorageFormatPermId = StorageFormatPermId + + type as_dto_dataset_lock_DataSetLockOptions = DataSetLockOptions + + type as_dto_dataset_lock_LockDataSetsOperation = LockDataSetsOperation + + type as_dto_dataset_lock_LockDataSetsOperationResult = LockDataSetsOperationResult + + type as_dto_dataset_search_AbstractDataSetSearchCriteria<T extends AbstractDataSetSearchCriteria<T>> = AbstractDataSetSearchCriteria<T> + + type as_dto_dataset_search_ArchivingRequestedSearchCriteria = ArchivingRequestedSearchCriteria + + type as_dto_dataset_search_CompleteSearchCriteria = CompleteSearchCriteria + + type as_dto_dataset_search_ContentCopySearchCriteria = ContentCopySearchCriteria + + type as_dto_dataset_search_DataSetChildrenSearchCriteria = DataSetChildrenSearchCriteria + + type as_dto_dataset_search_DataSetContainerSearchCriteria = DataSetContainerSearchCriteria + + type as_dto_dataset_search_DataSetParentsSearchCriteria = DataSetParentsSearchCriteria + + type as_dto_dataset_search_DataSetSearchCriteria = DataSetSearchCriteria + + type as_dto_dataset_search_DataSetSearchRelation = typeof as_dto_dataset_search_DataSetSearchRelation[keyof typeof as_dto_dataset_search_DataSetSearchRelation] + + type as_dto_dataset_search_DataSetTypeSearchCriteria = DataSetTypeSearchCriteria + + type as_dto_dataset_search_ExternalCodeSearchCriteria = ExternalCodeSearchCriteria + + type as_dto_dataset_search_ExternalDmsSearchCriteria = as_dto_dataset_search_ExternalDmsSearchCriteria + + type as_dto_dataset_search_FileFormatTypeSearchCriteria = FileFormatTypeSearchCriteria + + type as_dto_dataset_search_GitCommitHashSearchCriteria = GitCommitHashSearchCriteria + + type as_dto_dataset_search_GitRepositoryIdSearchCriteria = GitRepositoryIdSearchCriteria + + type as_dto_dataset_search_LinkedDataSearchCriteria = LinkedDataSearchCriteria + + type as_dto_dataset_search_LocationSearchCriteria = LocationSearchCriteria + + type as_dto_dataset_search_LocatorTypeSearchCriteria = LocatorTypeSearchCriteria + + type as_dto_dataset_search_PathSearchCriteria = PathSearchCriteria + + type as_dto_dataset_search_PhysicalDataSearchCriteria = PhysicalDataSearchCriteria + + type as_dto_dataset_search_PresentInArchiveSearchCriteria = PresentInArchiveSearchCriteria + + type as_dto_dataset_search_SearchDataSetTypesOperation = SearchDataSetTypesOperation + + type as_dto_dataset_search_SearchDataSetTypesOperationResult = SearchDataSetTypesOperationResult + + type as_dto_dataset_search_SearchDataSetsOperation = SearchDataSetsOperation + + type as_dto_dataset_search_SearchDataSetsOperationResult = SearchDataSetsOperationResult + + type as_dto_dataset_search_ShareIdSearchCriteria = ShareIdSearchCriteria + + type as_dto_dataset_search_SizeSearchCriteria = SizeSearchCriteria + + type as_dto_dataset_search_SpeedHintSearchCriteria = SpeedHintSearchCriteria + + type as_dto_dataset_search_StatusSearchCriteria = StatusSearchCriteria + + type as_dto_dataset_search_StorageConfirmationSearchCriteria = StorageConfirmationSearchCriteria + + type as_dto_dataset_search_StorageFormatSearchCriteria = StorageFormatSearchCriteria + + type as_dto_dataset_unarchive_DataSetUnarchiveOptions = DataSetUnarchiveOptions + + type as_dto_dataset_unarchive_UnarchiveDataSetsOperation = UnarchiveDataSetsOperation + + type as_dto_dataset_unarchive_UnarchiveDataSetsOperationResult = UnarchiveDataSetsOperationResult + + type as_dto_dataset_unlock_DataSetUnlockOptions = DataSetUnlockOptions + + type as_dto_dataset_unlock_UnlockDataSetsOperation = UnlockDataSetsOperation + + type as_dto_dataset_unlock_UnlockDataSetsOperationResult = UnlockDataSetsOperationResult + + type as_dto_dataset_update_ContentCopyListUpdateValue = ContentCopyListUpdateValue + + type as_dto_dataset_update_DataSetTypeUpdate = DataSetTypeUpdate + + type as_dto_dataset_update_DataSetUpdate = DataSetUpdate + + type as_dto_dataset_update_LinkedDataUpdate = LinkedDataUpdate + + type as_dto_dataset_update_PhysicalDataUpdate = PhysicalDataUpdate + + type as_dto_dataset_update_UpdateDataSetTypesOperation = UpdateDataSetTypesOperation + + type as_dto_dataset_update_UpdateDataSetTypesOperationResult = UpdateDataSetTypesOperationResult + + type as_dto_dataset_update_UpdateDataSetsOperation = UpdateDataSetsOperation + + type as_dto_dataset_update_UpdateDataSetsOperationResult = UpdateDataSetsOperationResult + + type as_dto_datastore_DataStore = DataStore + + type as_dto_datastore_fetchoptions_DataStoreFetchOptions = DataStoreFetchOptions + + type as_dto_datastore_fetchoptions_DataStoreSortOptions = DataStoreSortOptions + + type as_dto_datastore_id_DataStorePermId = DataStorePermId + + type as_dto_datastore_id_IDataStoreId = IDataStoreId + + type as_dto_datastore_search_DataStoreSearchCriteria = DataStoreSearchCriteria + + type as_dto_datastore_search_SearchDataStoresOperation = SearchDataStoresOperation + + type as_dto_datastore_search_SearchDataStoresOperationResult = SearchDataStoresOperationResult + + type as_dto_deletion_AbstractObjectDeletionOptions<T extends AbstractObjectDeletionOptions<T>> = AbstractObjectDeletionOptions<T> + + type as_dto_deletion_DeletedObject = DeletedObject + + type as_dto_deletion_Deletion = Deletion + + type as_dto_deletion_confirm_ConfirmDeletionsOperation = ConfirmDeletionsOperation + + type as_dto_deletion_confirm_ConfirmDeletionsOperationResult = ConfirmDeletionsOperationResult + + type as_dto_deletion_fetchoptions_DeletedObjectFetchOptions = DeletedObjectFetchOptions + + type as_dto_deletion_fetchoptions_DeletionFetchOptions = DeletionFetchOptions + + type as_dto_deletion_fetchoptions_DeletionSortOptions = DeletionSortOptions + + type as_dto_deletion_id_DeletionTechId = DeletionTechId + + type as_dto_deletion_id_IDeletionId = IDeletionId + + type as_dto_deletion_revert_RevertDeletionsOperation = RevertDeletionsOperation + + type as_dto_deletion_revert_RevertDeletionsOperationResult = RevertDeletionsOperationResult + + type as_dto_deletion_search_DeletionSearchCriteria = DeletionSearchCriteria + + type as_dto_deletion_search_SearchDeletionsOperation = SearchDeletionsOperation + + type as_dto_deletion_search_SearchDeletionsOperationResult = SearchDeletionsOperationResult + + type as_dto_entity_create_CreateCodesOperation = CreateCodesOperation + + type as_dto_entity_create_CreateCodesOperationResult = CreateCodesOperationResult + + type as_dto_entity_create_CreatePermIdsOperation = CreatePermIdsOperation + + type as_dto_entity_create_CreatePermIdsOperationResult = CreatePermIdsOperationResult + + type as_dto_entitytype_EntityKind = typeof as_dto_entitytype_EntityKind[keyof typeof as_dto_entitytype_EntityKind] + + type as_dto_entitytype_create_IEntityTypeCreation = IEntityTypeCreation + + type as_dto_entitytype_fetchoptions_EntityTypeFetchOptions = EntityTypeFetchOptions + + type as_dto_entitytype_fetchoptions_EntityTypeSortOptions = EntityTypeSortOptions + + type as_dto_entitytype_id_EntityTypePermId = EntityTypePermId + + type as_dto_entitytype_id_IEntityTypeId = IEntityTypeId + + type as_dto_entitytype_search_AbstractEntityTypeSearchCriteria = AbstractEntityTypeSearchCriteria + + type as_dto_entitytype_search_EntityKindSearchCriteria = EntityKindSearchCriteria + + type as_dto_entitytype_search_EntityTypeSearchCriteria = EntityTypeSearchCriteria + + type as_dto_entitytype_update_IEntityTypeUpdate = IEntityTypeUpdate + + type as_dto_entitytype_update_PropertyAssignmentListUpdateValue = PropertyAssignmentListUpdateValue + + type as_dto_event_EntityType = typeof as_dto_event_EntityType[keyof typeof as_dto_event_EntityType] + + type as_dto_event_Event = Event + + type as_dto_event_EventType = typeof as_dto_event_EventType[keyof typeof as_dto_event_EventType] + + type as_dto_event_fetchoptions_EventFetchOptions = EventFetchOptions + + type as_dto_event_fetchoptions_EventSortOptions = EventSortOptions + + type as_dto_event_id_EventTechId = EventTechId + + type as_dto_event_id_IEventId = IEventId + + type as_dto_event_search_EventDescriptionSearchCriteria = EventDescriptionSearchCriteria + + type as_dto_event_search_EventEntityProjectIdSearchCriteria = EventEntityProjectIdSearchCriteria + + type as_dto_event_search_EventEntityProjectSearchCriteria = EventEntityProjectSearchCriteria + + type as_dto_event_search_EventEntityRegistrationDateSearchCriteria = EventEntityRegistrationDateSearchCriteria + + type as_dto_event_search_EventEntityRegistratorSearchCriteria = EventEntityRegistratorSearchCriteria + + type as_dto_event_search_EventEntitySpaceIdSearchCriteria = EventEntitySpaceIdSearchCriteria + + type as_dto_event_search_EventEntitySpaceSearchCriteria = EventEntitySpaceSearchCriteria + + type as_dto_event_search_EventEntityTypeSearchCriteria = EventEntityTypeSearchCriteria + + type as_dto_event_search_EventIdentifierSearchCriteria = EventIdentifierSearchCriteria + + type as_dto_event_search_EventReasonSearchCriteria = EventReasonSearchCriteria + + type as_dto_event_search_EventSearchCriteria = EventSearchCriteria + + type as_dto_event_search_EventTypeSearchCriteria = EventTypeSearchCriteria + + type as_dto_event_search_SearchEventsOperation = SearchEventsOperation + + type as_dto_event_search_SearchEventsOperationResult = SearchEventsOperationResult + + type as_dto_experiment_Experiment = Experiment + + type as_dto_experiment_ExperimentType = ExperimentType + + type as_dto_experiment_create_CreateExperimentTypesOperation = CreateExperimentTypesOperation + + type as_dto_experiment_create_CreateExperimentTypesOperationResult = CreateExperimentTypesOperationResult + + type as_dto_experiment_create_CreateExperimentsOperation = CreateExperimentsOperation + + type as_dto_experiment_create_CreateExperimentsOperationResult = CreateExperimentsOperationResult + + type as_dto_experiment_create_ExperimentCreation = ExperimentCreation + + type as_dto_experiment_create_ExperimentTypeCreation = ExperimentTypeCreation + + type as_dto_experiment_delete_DeleteExperimentTypesOperation = DeleteExperimentTypesOperation + + type as_dto_experiment_delete_DeleteExperimentTypesOperationResult = DeleteExperimentTypesOperationResult + + type as_dto_experiment_delete_DeleteExperimentsOperation = DeleteExperimentsOperation + + type as_dto_experiment_delete_DeleteExperimentsOperationResult = DeleteExperimentsOperationResult + + type as_dto_experiment_delete_ExperimentDeletionOptions = ExperimentDeletionOptions + + type as_dto_experiment_delete_ExperimentTypeDeletionOptions = ExperimentTypeDeletionOptions + + type as_dto_experiment_fetchoptions_ExperimentFetchOptions = ExperimentFetchOptions + + type as_dto_experiment_fetchoptions_ExperimentSortOptions = ExperimentSortOptions + + type as_dto_experiment_fetchoptions_ExperimentTypeFetchOptions = ExperimentTypeFetchOptions + + type as_dto_experiment_fetchoptions_ExperimentTypeSortOptions = ExperimentTypeSortOptions + + type as_dto_experiment_get_GetExperimentTypesOperation = GetExperimentTypesOperation + + type as_dto_experiment_get_GetExperimentTypesOperationResult = GetExperimentTypesOperationResult + + type as_dto_experiment_get_GetExperimentsOperation = GetExperimentsOperation + + type as_dto_experiment_get_GetExperimentsOperationResult = GetExperimentsOperationResult + + type as_dto_experiment_history_ExperimentRelationType = typeof as_dto_experiment_history_ExperimentRelationType[keyof typeof as_dto_experiment_history_ExperimentRelationType] + + type as_dto_experiment_id_ExperimentIdentifier = ExperimentIdentifier + + type as_dto_experiment_id_ExperimentPermId = ExperimentPermId + + type as_dto_experiment_id_IExperimentId = IExperimentId + + type as_dto_experiment_search_ExperimentSearchCriteria = ExperimentSearchCriteria + + type as_dto_experiment_search_ExperimentTypeSearchCriteria = ExperimentTypeSearchCriteria + + type as_dto_experiment_search_NoExperimentSearchCriteria = NoExperimentSearchCriteria + + type as_dto_experiment_search_SearchExperimentTypesOperation = SearchExperimentTypesOperation + + type as_dto_experiment_search_SearchExperimentTypesOperationResult = SearchExperimentTypesOperationResult + + type as_dto_experiment_search_SearchExperimentsOperation = SearchExperimentsOperation + + type as_dto_experiment_search_SearchExperimentsOperationResult = SearchExperimentsOperationResult + + type as_dto_experiment_update_ExperimentTypeUpdate = ExperimentTypeUpdate + + type as_dto_experiment_update_ExperimentUpdate = ExperimentUpdate + + type as_dto_experiment_update_UpdateExperimentTypesOperation = UpdateExperimentTypesOperation + + type as_dto_experiment_update_UpdateExperimentTypesOperationResult = UpdateExperimentTypesOperationResult + + type as_dto_experiment_update_UpdateExperimentsOperation = UpdateExperimentsOperation + + type as_dto_experiment_update_UpdateExperimentsOperationResult = UpdateExperimentsOperationResult + + type as_dto_exporter_ExportOperation = ExportOperation + + type as_dto_exporter_ExportOperationResult = ExportOperationResult + + type as_dto_exporter_ExportResult = ExportResult + + type as_dto_exporter_data_AllFields = AllFields + + type as_dto_exporter_data_Attribute = typeof as_dto_exporter_data_Attribute[keyof typeof as_dto_exporter_data_Attribute] + + type as_dto_exporter_data_ExportData = ExportData + + type as_dto_exporter_data_ExportableKind = typeof as_dto_exporter_data_ExportableKind[keyof typeof as_dto_exporter_data_ExportableKind] + + type as_dto_exporter_data_ExportablePermId = ExportablePermId + + type as_dto_exporter_data_IExportableFields = IExportableFields + + type as_dto_exporter_data_SelectedFields = SelectedFields + + type as_dto_exporter_options_ExportFormat = typeof as_dto_exporter_options_ExportFormat[keyof typeof as_dto_exporter_options_ExportFormat] + + type as_dto_exporter_options_ExportOptions = ExportOptions + + type as_dto_exporter_options_XlsTextFormat = typeof as_dto_exporter_options_XlsTextFormat[keyof typeof as_dto_exporter_options_XlsTextFormat] + + type as_dto_externaldms_ExternalDms = ExternalDms + + type as_dto_externaldms_ExternalDmsAddressType = typeof as_dto_externaldms_ExternalDmsAddressType[keyof typeof as_dto_externaldms_ExternalDmsAddressType] + + type as_dto_externaldms_create_CreateExternalDmsOperation = CreateExternalDmsOperation + + type as_dto_externaldms_create_CreateExternalDmsOperationResult = CreateExternalDmsOperationResult + + type as_dto_externaldms_create_ExternalDmsCreation = ExternalDmsCreation + + type as_dto_externaldms_delete_DeleteExternalDmsOperation = DeleteExternalDmsOperation + + type as_dto_externaldms_delete_DeleteExternalDmsOperationResult = DeleteExternalDmsOperationResult + + type as_dto_externaldms_delete_ExternalDmsDeletionOptions = ExternalDmsDeletionOptions + + type as_dto_externaldms_fetchoptions_ExternalDmsFetchOptions = ExternalDmsFetchOptions + + type as_dto_externaldms_fetchoptions_ExternalDmsSortOptions = ExternalDmsSortOptions + + type as_dto_externaldms_get_GetExternalDmsOperation = GetExternalDmsOperation + + type as_dto_externaldms_get_GetExternalDmsOperationResult = GetExternalDmsOperationResult + + type as_dto_externaldms_id_ExternalDmsPermId = ExternalDmsPermId + + type as_dto_externaldms_id_IExternalDmsId = IExternalDmsId + + type as_dto_externaldms_search_AddressSearchCriteria = AddressSearchCriteria + + type as_dto_externaldms_search_ExternalDmsSearchCriteria = as_dto_externaldms_search_ExternalDmsSearchCriteria + + type as_dto_externaldms_search_ExternalDmsTypeSearchCriteria = ExternalDmsTypeSearchCriteria + + type as_dto_externaldms_search_LabelSearchCriteria = LabelSearchCriteria + + type as_dto_externaldms_search_SearchExternalDmsOperation = SearchExternalDmsOperation + + type as_dto_externaldms_search_SearchExternalDmsOperationResult = SearchExternalDmsOperationResult + + type as_dto_externaldms_update_ExternalDmsUpdate = ExternalDmsUpdate + + type as_dto_externaldms_update_UpdateExternalDmsOperation = UpdateExternalDmsOperation + + type as_dto_externaldms_update_UpdateExternalDmsOperationResult = UpdateExternalDmsOperationResult + + type as_dto_global_GlobalSearchObject = GlobalSearchObject + + type as_dto_global_fetchoptions_GlobalSearchObjectFetchOptions = GlobalSearchObjectFetchOptions + + type as_dto_global_fetchoptions_GlobalSearchObjectSortOptions = GlobalSearchObjectSortOptions + + type as_dto_global_fetchoptions_MatchFetchOptions = MatchFetchOptions + + type as_dto_global_search_GlobalSearchCriteria = GlobalSearchCriteria + + type as_dto_global_search_GlobalSearchObjectKind = typeof as_dto_global_search_GlobalSearchObjectKind[keyof typeof as_dto_global_search_GlobalSearchObjectKind] + + type as_dto_global_search_GlobalSearchObjectKindCriteria = GlobalSearchObjectKindCriteria + + type as_dto_global_search_GlobalSearchTextCriteria = GlobalSearchTextCriteria + + type as_dto_global_search_GlobalSearchWildCardsCriteria = GlobalSearchWildCardsCriteria + + type as_dto_global_search_SearchGloballyOperation = SearchGloballyOperation + + type as_dto_global_search_SearchGloballyOperationResult = SearchGloballyOperationResult + + type as_dto_history_ContentCopyHistoryEntry = ContentCopyHistoryEntry + + type as_dto_history_HistoryEntry = HistoryEntry + + type as_dto_history_IRelationType = IRelationType + + type as_dto_history_PropertyHistoryEntry = PropertyHistoryEntry + + type as_dto_history_RelationHistoryEntry = RelationHistoryEntry + + type as_dto_history_fetchoptions_HistoryEntryFetchOptions = HistoryEntryFetchOptions + + type as_dto_history_fetchoptions_HistoryEntrySortOptions = HistoryEntrySortOptions + + type as_dto_history_id_UnknownRelatedObjectId = UnknownRelatedObjectId + + type as_dto_importer_ImportOperation = ImportOperation + + type as_dto_importer_ImportOperationResult = ImportOperationResult + + type as_dto_importer_data_IImportData = IImportData + + type as_dto_importer_data_ImportFormat = typeof as_dto_importer_data_ImportFormat[keyof typeof as_dto_importer_data_ImportFormat] + + type as_dto_importer_data_ImportScript = ImportScript + + type as_dto_importer_data_ImportValue = ImportValue + + type as_dto_importer_data_UncompressedImportData = UncompressedImportData + + type as_dto_importer_data_ZipImportData = ZipImportData + + type as_dto_importer_options_ImportMode = typeof as_dto_importer_options_ImportMode[keyof typeof as_dto_importer_options_ImportMode] + + type as_dto_importer_options_ImportOptions = ImportOptions + + type as_dto_material_Material = Material + + type as_dto_material_MaterialType = MaterialType + + type as_dto_material_create_CreateMaterialTypesOperation = CreateMaterialTypesOperation + + type as_dto_material_create_CreateMaterialTypesOperationResult = CreateMaterialTypesOperationResult + + type as_dto_material_create_CreateMaterialsOperation = CreateMaterialsOperation + + type as_dto_material_create_CreateMaterialsOperationResult = CreateMaterialsOperationResult + + type as_dto_material_create_MaterialCreation = MaterialCreation + + type as_dto_material_create_MaterialTypeCreation = MaterialTypeCreation + + type as_dto_material_delete_DeleteMaterialTypesOperation = DeleteMaterialTypesOperation + + type as_dto_material_delete_DeleteMaterialTypesOperationResult = DeleteMaterialTypesOperationResult + + type as_dto_material_delete_DeleteMaterialsOperation = DeleteMaterialsOperation + + type as_dto_material_delete_DeleteMaterialsOperationResult = DeleteMaterialsOperationResult + + type as_dto_material_delete_MaterialDeletionOptions = MaterialDeletionOptions + + type as_dto_material_delete_MaterialTypeDeletionOptions = MaterialTypeDeletionOptions + + type as_dto_material_fetchoptions_MaterialFetchOptions = MaterialFetchOptions + + type as_dto_material_fetchoptions_MaterialSortOptions = MaterialSortOptions + + type as_dto_material_fetchoptions_MaterialTypeFetchOptions = MaterialTypeFetchOptions + + type as_dto_material_fetchoptions_MaterialTypeSortOptions = MaterialTypeSortOptions + + type as_dto_material_get_GetMaterialTypesOperation = GetMaterialTypesOperation + + type as_dto_material_get_GetMaterialTypesOperationResult = GetMaterialTypesOperationResult + + type as_dto_material_get_GetMaterialsOperation = GetMaterialsOperation + + type as_dto_material_get_GetMaterialsOperationResult = GetMaterialsOperationResult + + type as_dto_material_id_IMaterialId = IMaterialId + + type as_dto_material_id_MaterialPermId = MaterialPermId + + type as_dto_material_search_MaterialSearchCriteria = MaterialSearchCriteria + + type as_dto_material_search_MaterialTypeSearchCriteria = MaterialTypeSearchCriteria + + type as_dto_material_search_SearchMaterialTypesOperation = SearchMaterialTypesOperation + + type as_dto_material_search_SearchMaterialTypesOperationResult = SearchMaterialTypesOperationResult + + type as_dto_material_search_SearchMaterialsOperation = SearchMaterialsOperation + + type as_dto_material_search_SearchMaterialsOperationResult = SearchMaterialsOperationResult + + type as_dto_material_update_MaterialTypeUpdate = MaterialTypeUpdate + + type as_dto_material_update_MaterialUpdate = MaterialUpdate + + type as_dto_material_update_UpdateMaterialTypesOperation = UpdateMaterialTypesOperation + + type as_dto_material_update_UpdateMaterialTypesOperationResult = UpdateMaterialTypesOperationResult + + type as_dto_material_update_UpdateMaterialsOperation = UpdateMaterialsOperation + + type as_dto_material_update_UpdateMaterialsOperationResult = UpdateMaterialsOperationResult + + type as_dto_objectkindmodification_ObjectKind = typeof as_dto_objectkindmodification_ObjectKind[keyof typeof as_dto_objectkindmodification_ObjectKind] + + type as_dto_objectkindmodification_ObjectKindModification = ObjectKindModification + + type as_dto_objectkindmodification_OperationKind = typeof as_dto_objectkindmodification_OperationKind[keyof typeof as_dto_objectkindmodification_OperationKind] + + type as_dto_objectkindmodification_fetchoptions_ObjectKindModificationFetchOptions = ObjectKindModificationFetchOptions + + type as_dto_objectkindmodification_fetchoptions_ObjectKindModificationSortOptions = ObjectKindModificationSortOptions + + type as_dto_objectkindmodification_search_ObjectKindCriteria = ObjectKindCriteria + + type as_dto_objectkindmodification_search_ObjectKindModificationSearchCriteria = ObjectKindModificationSearchCriteria + + type as_dto_objectkindmodification_search_OperationKindCriteria = OperationKindCriteria + + type as_dto_objectkindmodification_search_SearchObjectKindModificationsOperation = SearchObjectKindModificationsOperation + + type as_dto_objectkindmodification_search_SearchObjectKindModificationsOperationResult = SearchObjectKindModificationsOperationResult + + type as_dto_operation_AbstractOperationExecutionOptions = AbstractOperationExecutionOptions + + type as_dto_operation_AsynchronousOperationExecutionOptions = AsynchronousOperationExecutionOptions + + type as_dto_operation_AsynchronousOperationExecutionResults = AsynchronousOperationExecutionResults + + type as_dto_operation_IOperationExecutionNotification = IOperationExecutionNotification + + type as_dto_operation_IOperationExecutionOptions = IOperationExecutionOptions + + type as_dto_operation_IOperationExecutionResults = IOperationExecutionResults + + type as_dto_operation_OperationExecution = OperationExecution + + type as_dto_operation_OperationExecutionAvailability = typeof as_dto_operation_OperationExecutionAvailability[keyof typeof as_dto_operation_OperationExecutionAvailability] + + type as_dto_operation_OperationExecutionDetails = OperationExecutionDetails + + type as_dto_operation_OperationExecutionEmailNotification = OperationExecutionEmailNotification + + type as_dto_operation_OperationExecutionError = OperationExecutionError + + type as_dto_operation_OperationExecutionProgress = OperationExecutionProgress + + type as_dto_operation_OperationExecutionState = typeof as_dto_operation_OperationExecutionState[keyof typeof as_dto_operation_OperationExecutionState] + + type as_dto_operation_OperationExecutionSummary = OperationExecutionSummary + + type as_dto_operation_SynchronousOperationExecutionOptions = SynchronousOperationExecutionOptions + + type as_dto_operation_SynchronousOperationExecutionResults = SynchronousOperationExecutionResults + + type as_dto_operation_delete_DeleteOperationExecutionsOperation = DeleteOperationExecutionsOperation + + type as_dto_operation_delete_DeleteOperationExecutionsOperationResult = DeleteOperationExecutionsOperationResult + + type as_dto_operation_delete_OperationExecutionDeletionOptions = OperationExecutionDeletionOptions + + type as_dto_operation_fetchoptions_OperationExecutionDetailsFetchOptions = OperationExecutionDetailsFetchOptions + + type as_dto_operation_fetchoptions_OperationExecutionDetailsSortOptions = OperationExecutionDetailsSortOptions + + type as_dto_operation_fetchoptions_OperationExecutionFetchOptions = OperationExecutionFetchOptions + + type as_dto_operation_fetchoptions_OperationExecutionNotificationFetchOptions = OperationExecutionNotificationFetchOptions + + type as_dto_operation_fetchoptions_OperationExecutionNotificationSortOptions = OperationExecutionNotificationSortOptions + + type as_dto_operation_fetchoptions_OperationExecutionSortOptions = OperationExecutionSortOptions + + type as_dto_operation_fetchoptions_OperationExecutionSummaryFetchOptions = OperationExecutionSummaryFetchOptions + + type as_dto_operation_fetchoptions_OperationExecutionSummarySortOptions = OperationExecutionSummarySortOptions + + type as_dto_operation_get_GetOperationExecutionsOperation = GetOperationExecutionsOperation + + type as_dto_operation_get_GetOperationExecutionsOperationResult = GetOperationExecutionsOperationResult + + type as_dto_operation_id_IOperationExecutionId = IOperationExecutionId + + type as_dto_operation_id_OperationExecutionPermId = OperationExecutionPermId + + type as_dto_operation_search_OperationExecutionSearchCriteria = OperationExecutionSearchCriteria + + type as_dto_operation_search_SearchOperationExecutionsOperation = SearchOperationExecutionsOperation + + type as_dto_operation_search_SearchOperationExecutionsOperationResult = SearchOperationExecutionsOperationResult + + type as_dto_operation_update_OperationExecutionUpdate = OperationExecutionUpdate + + type as_dto_operation_update_UpdateOperationExecutionsOperation = UpdateOperationExecutionsOperation + + type as_dto_operation_update_UpdateOperationExecutionsOperationResult = UpdateOperationExecutionsOperationResult + + type as_dto_pat_PersonalAccessToken = PersonalAccessToken + + type as_dto_pat_create_CreatePersonalAccessTokensOperation = CreatePersonalAccessTokensOperation + + type as_dto_pat_create_CreatePersonalAccessTokensOperationResult = CreatePersonalAccessTokensOperationResult + + type as_dto_pat_create_PersonalAccessTokenCreation = PersonalAccessTokenCreation + + type as_dto_pat_delete_DeletePersonalAccessTokensOperation = DeletePersonalAccessTokensOperation + + type as_dto_pat_delete_DeletePersonalAccessTokensOperationResult = DeletePersonalAccessTokensOperationResult + + type as_dto_pat_delete_PersonalAccessTokenDeletionOptions = PersonalAccessTokenDeletionOptions + + type as_dto_pat_fetchoptions_PersonalAccessTokenFetchOptions = PersonalAccessTokenFetchOptions + + type as_dto_pat_fetchoptions_PersonalAccessTokenSortOptions = PersonalAccessTokenSortOptions + + type as_dto_pat_get_GetPersonalAccessTokensOperation = GetPersonalAccessTokensOperation + + type as_dto_pat_get_GetPersonalAccessTokensOperationResult = GetPersonalAccessTokensOperationResult + + type as_dto_pat_id_IPersonalAccessTokenId = IPersonalAccessTokenId + + type as_dto_pat_id_PersonalAccessTokenPermId = PersonalAccessTokenPermId + + type as_dto_pat_search_PersonalAccessTokenOwnerSearchCriteria = PersonalAccessTokenOwnerSearchCriteria + + type as_dto_pat_search_PersonalAccessTokenSearchCriteria = PersonalAccessTokenSearchCriteria + + type as_dto_pat_search_PersonalAccessTokenSessionNameSearchCriteria = as_dto_pat_search_PersonalAccessTokenSessionNameSearchCriteria + + type as_dto_pat_search_SearchPersonalAccessTokensOperation = SearchPersonalAccessTokensOperation + + type as_dto_pat_search_SearchPersonalAccessTokensOperationResult = SearchPersonalAccessTokensOperationResult + + type as_dto_pat_update_PersonalAccessTokenUpdate = PersonalAccessTokenUpdate + + type as_dto_pat_update_UpdatePersonalAccessTokensOperation = UpdatePersonalAccessTokensOperation + + type as_dto_pat_update_UpdatePersonalAccessTokensOperationResult = UpdatePersonalAccessTokensOperationResult + + type as_dto_person_Person = Person + + type as_dto_person_create_CreatePersonsOperation = CreatePersonsOperation + + type as_dto_person_create_CreatePersonsOperationResult = CreatePersonsOperationResult + + type as_dto_person_create_PersonCreation = PersonCreation + + type as_dto_person_delete_DeletePersonsOperation = DeletePersonsOperation + + type as_dto_person_delete_DeletePersonsOperationResult = DeletePersonsOperationResult + + type as_dto_person_delete_PersonDeletionOptions = PersonDeletionOptions + + type as_dto_person_fetchoptions_PersonFetchOptions = PersonFetchOptions + + type as_dto_person_fetchoptions_PersonSortOptions = PersonSortOptions + + type as_dto_person_get_GetPersonsOperation = GetPersonsOperation + + type as_dto_person_get_GetPersonsOperationResult = GetPersonsOperationResult + + type as_dto_person_id_IPersonId = IPersonId + + type as_dto_person_id_Me = Me + + type as_dto_person_id_PersonPermId = PersonPermId + + type as_dto_person_search_EmailSearchCriteria = EmailSearchCriteria + + type as_dto_person_search_FirstNameSearchCriteria = FirstNameSearchCriteria + + type as_dto_person_search_LastNameSearchCriteria = LastNameSearchCriteria + + type as_dto_person_search_ModifierSearchCriteria = ModifierSearchCriteria + + type as_dto_person_search_PersonSearchCriteria = PersonSearchCriteria + + type as_dto_person_search_RegistratorSearchCriteria = RegistratorSearchCriteria + + type as_dto_person_search_SearchPersonsOperation = SearchPersonsOperation + + type as_dto_person_search_SearchPersonsOperationResult = SearchPersonsOperationResult + + type as_dto_person_search_UserIdSearchCriteria = UserIdSearchCriteria + + type as_dto_person_search_UserIdsSearchCriteria = UserIdsSearchCriteria + + type as_dto_person_update_PersonUpdate = PersonUpdate + + type as_dto_person_update_UpdatePersonsOperation = UpdatePersonsOperation + + type as_dto_person_update_UpdatePersonsOperationResult = UpdatePersonsOperationResult + + type as_dto_plugin_Plugin = Plugin + + type as_dto_plugin_PluginKind = typeof as_dto_plugin_PluginKind[keyof typeof as_dto_plugin_PluginKind] + + type as_dto_plugin_PluginType = typeof as_dto_plugin_PluginType[keyof typeof as_dto_plugin_PluginType] + + type as_dto_plugin_create_CreatePluginsOperation = CreatePluginsOperation + + type as_dto_plugin_create_CreatePluginsOperationResult = CreatePluginsOperationResult + + type as_dto_plugin_create_PluginCreation = PluginCreation + + type as_dto_plugin_delete_DeletePluginsOperation = DeletePluginsOperation + + type as_dto_plugin_delete_DeletePluginsOperationResult = DeletePluginsOperationResult + + type as_dto_plugin_delete_PluginDeletionOptions = PluginDeletionOptions + + type as_dto_plugin_evaluate_DynamicPropertyPluginEvaluationOptions = DynamicPropertyPluginEvaluationOptions + + type as_dto_plugin_evaluate_DynamicPropertyPluginEvaluationResult = DynamicPropertyPluginEvaluationResult + + type as_dto_plugin_evaluate_EntityValidationPluginEvaluationOptions = EntityValidationPluginEvaluationOptions + + type as_dto_plugin_evaluate_EntityValidationPluginEvaluationResult = EntityValidationPluginEvaluationResult + + type as_dto_plugin_evaluate_EvaluatePluginOperation = EvaluatePluginOperation + + type as_dto_plugin_evaluate_EvaluatePluginOperationResult = EvaluatePluginOperationResult + + type as_dto_plugin_evaluate_PluginEvaluationOptions = PluginEvaluationOptions + + type as_dto_plugin_evaluate_PluginEvaluationResult = PluginEvaluationResult + + type as_dto_plugin_fetchoptions_PluginFetchOptions = PluginFetchOptions + + type as_dto_plugin_fetchoptions_PluginSortOptions = PluginSortOptions + + type as_dto_plugin_get_GetPluginsOperation = GetPluginsOperation + + type as_dto_plugin_get_GetPluginsOperationResult = GetPluginsOperationResult + + type as_dto_plugin_id_IPluginId = IPluginId + + type as_dto_plugin_id_PluginPermId = PluginPermId + + type as_dto_plugin_search_PluginKindSearchCriteria = PluginKindSearchCriteria + + type as_dto_plugin_search_PluginSearchCriteria = PluginSearchCriteria + + type as_dto_plugin_search_PluginTypeSearchCriteria = PluginTypeSearchCriteria + + type as_dto_plugin_search_SearchPluginsOperation = SearchPluginsOperation + + type as_dto_plugin_search_SearchPluginsOperationResult = SearchPluginsOperationResult + + type as_dto_plugin_update_PluginUpdate = PluginUpdate + + type as_dto_plugin_update_UpdatePluginsOperation = UpdatePluginsOperation + + type as_dto_plugin_update_UpdatePluginsOperationResult = UpdatePluginsOperationResult + + type as_dto_project_Project = Project + + type as_dto_project_create_CreateProjectsOperation = CreateProjectsOperation + + type as_dto_project_create_CreateProjectsOperationResult = CreateProjectsOperationResult + + type as_dto_project_create_ProjectCreation = ProjectCreation + + type as_dto_project_delete_DeleteProjectsOperation = DeleteProjectsOperation + + type as_dto_project_delete_DeleteProjectsOperationResult = DeleteProjectsOperationResult + + type as_dto_project_delete_ProjectDeletionOptions = ProjectDeletionOptions + + type as_dto_project_fetchoptions_ProjectFetchOptions = ProjectFetchOptions + + type as_dto_project_fetchoptions_ProjectSortOptions = ProjectSortOptions + + type as_dto_project_get_GetProjectsOperation = GetProjectsOperation + + type as_dto_project_get_GetProjectsOperationResult = GetProjectsOperationResult + + type as_dto_project_history_ProjectRelationType = typeof as_dto_project_history_ProjectRelationType[keyof typeof as_dto_project_history_ProjectRelationType] + + type as_dto_project_id_IProjectId = IProjectId + + type as_dto_project_id_ProjectIdentifier = ProjectIdentifier + + type as_dto_project_id_ProjectPermId = ProjectPermId + + type as_dto_project_search_NoProjectSearchCriteria = NoProjectSearchCriteria + + type as_dto_project_search_ProjectSearchCriteria = ProjectSearchCriteria + + type as_dto_project_search_SearchProjectsOperation = SearchProjectsOperation + + type as_dto_project_search_SearchProjectsOperationResult = SearchProjectsOperationResult + + type as_dto_project_update_ProjectUpdate = ProjectUpdate + + type as_dto_project_update_UpdateProjectsOperation = UpdateProjectsOperation + + type as_dto_project_update_UpdateProjectsOperationResult = UpdateProjectsOperationResult + + type as_dto_property_DataType = typeof as_dto_property_DataType[keyof typeof as_dto_property_DataType] + + type as_dto_property_PropertyAssignment = PropertyAssignment + + type as_dto_property_PropertyType = PropertyType + + type as_dto_property_create_CreatePropertyTypesOperation = CreatePropertyTypesOperation + + type as_dto_property_create_CreatePropertyTypesOperationResult = CreatePropertyTypesOperationResult + + type as_dto_property_create_PropertyAssignmentCreation = PropertyAssignmentCreation + + type as_dto_property_create_PropertyTypeCreation = PropertyTypeCreation + + type as_dto_property_delete_DeletePropertyTypesOperation = DeletePropertyTypesOperation + + type as_dto_property_delete_DeletePropertyTypesOperationResult = DeletePropertyTypesOperationResult + + type as_dto_property_delete_PropertyTypeDeletionOptions = PropertyTypeDeletionOptions + + type as_dto_property_fetchoptions_PropertyAssignmentFetchOptions = PropertyAssignmentFetchOptions + + type as_dto_property_fetchoptions_PropertyAssignmentSortOptions = PropertyAssignmentSortOptions + + type as_dto_property_fetchoptions_PropertyFetchOptions = PropertyFetchOptions + + type as_dto_property_fetchoptions_PropertyTypeFetchOptions = PropertyTypeFetchOptions + + type as_dto_property_fetchoptions_PropertyTypeSortOptions = PropertyTypeSortOptions + + type as_dto_property_get_GetPropertyTypesOperation = GetPropertyTypesOperation + + type as_dto_property_get_GetPropertyTypesOperationResult = GetPropertyTypesOperationResult + + type as_dto_property_id_IPropertyAssignmentId = IPropertyAssignmentId + + type as_dto_property_id_IPropertyTypeId = IPropertyTypeId + + type as_dto_property_id_PropertyAssignmentPermId = PropertyAssignmentPermId + + type as_dto_property_id_PropertyTypePermId = PropertyTypePermId + + type as_dto_property_search_PropertyAssignmentSearchCriteria = PropertyAssignmentSearchCriteria + + type as_dto_property_search_PropertyTypeSearchCriteria = PropertyTypeSearchCriteria + + type as_dto_property_search_SearchPropertyAssignmentsOperation = SearchPropertyAssignmentsOperation + + type as_dto_property_search_SearchPropertyAssignmentsOperationResult = SearchPropertyAssignmentsOperationResult + + type as_dto_property_search_SearchPropertyTypesOperation = SearchPropertyTypesOperation + + type as_dto_property_search_SearchPropertyTypesOperationResult = SearchPropertyTypesOperationResult + + type as_dto_property_update_PropertyTypeUpdate = PropertyTypeUpdate + + type as_dto_property_update_UpdatePropertyTypesOperation = UpdatePropertyTypesOperation + + type as_dto_property_update_UpdatePropertyTypesOperationResult = UpdatePropertyTypesOperationResult + + type as_dto_query_Query = Query + + type as_dto_query_QueryDatabase = QueryDatabase + + type as_dto_query_QueryType = typeof as_dto_query_QueryType[keyof typeof as_dto_query_QueryType] + + type as_dto_query_create_CreateQueriesOperation = CreateQueriesOperation + + type as_dto_query_create_CreateQueriesOperationResult = CreateQueriesOperationResult + + type as_dto_query_create_QueryCreation = QueryCreation + + type as_dto_query_delete_DeleteQueriesOperation = DeleteQueriesOperation + + type as_dto_query_delete_DeleteQueriesOperationResult = DeleteQueriesOperationResult + + type as_dto_query_delete_QueryDeletionOptions = QueryDeletionOptions + + type as_dto_query_execute_ExecuteQueryOperation = ExecuteQueryOperation + + type as_dto_query_execute_ExecuteQueryOperationResult = ExecuteQueryOperationResult + + type as_dto_query_execute_ExecuteSqlOperation = ExecuteSqlOperation + + type as_dto_query_execute_ExecuteSqlOperationResult = ExecuteSqlOperationResult + + type as_dto_query_execute_QueryExecutionOptions = QueryExecutionOptions + + type as_dto_query_execute_SqlExecutionOptions = SqlExecutionOptions + + type as_dto_query_fetchoptions_QueryDatabaseFetchOptions = QueryDatabaseFetchOptions + + type as_dto_query_fetchoptions_QueryDatabaseSortOptions = QueryDatabaseSortOptions + + type as_dto_query_fetchoptions_QueryFetchOptions = QueryFetchOptions + + type as_dto_query_fetchoptions_QuerySortOptions = QuerySortOptions + + type as_dto_query_get_GetQueriesOperation = GetQueriesOperation + + type as_dto_query_get_GetQueriesOperationResult = GetQueriesOperationResult + + type as_dto_query_get_GetQueryDatabasesOperation = GetQueryDatabasesOperation + + type as_dto_query_get_GetQueryDatabasesOperationResult = GetQueryDatabasesOperationResult + + type as_dto_query_id_IQueryDatabaseId = IQueryDatabaseId + + type as_dto_query_id_IQueryId = IQueryId + + type as_dto_query_id_QueryDatabaseName = QueryDatabaseName + + type as_dto_query_id_QueryName = QueryName + + type as_dto_query_id_QueryTechId = QueryTechId + + type as_dto_query_search_DatabaseIdSearchCriteria = DatabaseIdSearchCriteria + + type as_dto_query_search_EntityTypeCodePatternSearchCriteria = EntityTypeCodePatternSearchCriteria + + type as_dto_query_search_QueryDatabaseSearchCriteria = QueryDatabaseSearchCriteria + + type as_dto_query_search_QuerySearchCriteria = QuerySearchCriteria + + type as_dto_query_search_QueryTypeSearchCriteria = QueryTypeSearchCriteria + + type as_dto_query_search_SearchQueriesOperation = SearchQueriesOperation + + type as_dto_query_search_SearchQueriesOperationResult = SearchQueriesOperationResult + + type as_dto_query_search_SearchQueryDatabasesOperation = SearchQueryDatabasesOperation + + type as_dto_query_search_SearchQueryDatabasesOperationResult = SearchQueryDatabasesOperationResult + + type as_dto_query_search_SqlSearchCriteria = SqlSearchCriteria + + type as_dto_query_update_QueryUpdate = QueryUpdate + + type as_dto_query_update_UpdateQueriesOperation = UpdateQueriesOperation + + type as_dto_query_update_UpdateQueriesOperationResult = UpdateQueriesOperationResult + + type as_dto_rights_Right = typeof as_dto_rights_Right[keyof typeof as_dto_rights_Right] + + type as_dto_rights_Rights = Rights + + type as_dto_rights_fetchoptions_RightsFetchOptions = RightsFetchOptions + + type as_dto_rights_get_GetRightsOperation = GetRightsOperation + + type as_dto_rights_get_GetRightsOperationResult = GetRightsOperationResult + + type as_dto_roleassignment_Role = typeof as_dto_roleassignment_Role[keyof typeof as_dto_roleassignment_Role] + + type as_dto_roleassignment_RoleAssignment = RoleAssignment + + type as_dto_roleassignment_RoleLevel = typeof as_dto_roleassignment_RoleLevel[keyof typeof as_dto_roleassignment_RoleLevel] + + type as_dto_roleassignment_create_CreateRoleAssignmentsOperation = CreateRoleAssignmentsOperation + + type as_dto_roleassignment_create_CreateRoleAssignmentsOperationResult = CreateRoleAssignmentsOperationResult + + type as_dto_roleassignment_create_RoleAssignmentCreation = RoleAssignmentCreation + + type as_dto_roleassignment_delete_DeleteRoleAssignmentsOperation = DeleteRoleAssignmentsOperation + + type as_dto_roleassignment_delete_DeleteRoleAssignmentsOperationResult = DeleteRoleAssignmentsOperationResult + + type as_dto_roleassignment_delete_RoleAssignmentDeletionOptions = RoleAssignmentDeletionOptions + + type as_dto_roleassignment_fetchoptions_RoleAssignmentFetchOptions = RoleAssignmentFetchOptions + + type as_dto_roleassignment_fetchoptions_RoleAssignmentSortOptions = RoleAssignmentSortOptions + + type as_dto_roleassignment_get_GetRoleAssignmentsOperation = GetRoleAssignmentsOperation + + type as_dto_roleassignment_get_GetRoleAssignmentsOperationResult = GetRoleAssignmentsOperationResult + + type as_dto_roleassignment_id_IRoleAssignmentId = IRoleAssignmentId + + type as_dto_roleassignment_id_RoleAssignmentTechId = RoleAssignmentTechId + + type as_dto_roleassignment_search_RoleAssignmentSearchCriteria = RoleAssignmentSearchCriteria + + type as_dto_roleassignment_search_SearchRoleAssignmentsOperation = SearchRoleAssignmentsOperation + + type as_dto_roleassignment_search_SearchRoleAssignmentsOperationResult = SearchRoleAssignmentsOperationResult + + type as_dto_sample_Sample = Sample + + type as_dto_sample_SampleType = SampleType + + type as_dto_sample_create_CreateSampleTypesOperation = CreateSampleTypesOperation + + type as_dto_sample_create_CreateSampleTypesOperationResult = CreateSampleTypesOperationResult + + type as_dto_sample_create_CreateSamplesOperation = CreateSamplesOperation + + type as_dto_sample_create_CreateSamplesOperationResult = CreateSamplesOperationResult + + type as_dto_sample_create_SampleCreation = SampleCreation + + type as_dto_sample_create_SampleTypeCreation = SampleTypeCreation + + type as_dto_sample_delete_DeleteSampleTypesOperation = DeleteSampleTypesOperation + + type as_dto_sample_delete_DeleteSampleTypesOperationResult = DeleteSampleTypesOperationResult + + type as_dto_sample_delete_DeleteSamplesOperation = DeleteSamplesOperation + + type as_dto_sample_delete_DeleteSamplesOperationResult = DeleteSamplesOperationResult + + type as_dto_sample_delete_SampleDeletionOptions = SampleDeletionOptions + + type as_dto_sample_delete_SampleTypeDeletionOptions = SampleTypeDeletionOptions + + type as_dto_sample_fetchoptions_SampleFetchOptions = SampleFetchOptions + + type as_dto_sample_fetchoptions_SampleSortOptions = SampleSortOptions + + type as_dto_sample_fetchoptions_SampleTypeFetchOptions = SampleTypeFetchOptions + + type as_dto_sample_fetchoptions_SampleTypeSortOptions = SampleTypeSortOptions + + type as_dto_sample_get_GetSampleTypesOperation = GetSampleTypesOperation + + type as_dto_sample_get_GetSampleTypesOperationResult = GetSampleTypesOperationResult + + type as_dto_sample_get_GetSamplesOperation = GetSamplesOperation + + type as_dto_sample_get_GetSamplesOperationResult = GetSamplesOperationResult + + type as_dto_sample_history_SampleRelationType = typeof as_dto_sample_history_SampleRelationType[keyof typeof as_dto_sample_history_SampleRelationType] + + type as_dto_sample_id_ISampleId = ISampleId + + type as_dto_sample_id_SampleIdentifier = SampleIdentifier + + type as_dto_sample_id_SamplePermId = SamplePermId + + type as_dto_sample_search_AbstractSampleSearchCriteria<T extends AbstractSampleSearchCriteria<T>> = AbstractSampleSearchCriteria<T> + + type as_dto_sample_search_ListableSampleTypeSearchCriteria = ListableSampleTypeSearchCriteria + + type as_dto_sample_search_NoSampleContainerSearchCriteria = NoSampleContainerSearchCriteria + + type as_dto_sample_search_NoSampleSearchCriteria = NoSampleSearchCriteria + + type as_dto_sample_search_SampleChildrenSearchCriteria = SampleChildrenSearchCriteria + + type as_dto_sample_search_SampleContainerSearchCriteria = SampleContainerSearchCriteria + + type as_dto_sample_search_SampleParentsSearchCriteria = SampleParentsSearchCriteria + + type as_dto_sample_search_SampleSearchCriteria = SampleSearchCriteria + + type as_dto_sample_search_SampleSearchRelation = typeof as_dto_sample_search_SampleSearchRelation[keyof typeof as_dto_sample_search_SampleSearchRelation] + + type as_dto_sample_search_SampleTypeSearchCriteria = SampleTypeSearchCriteria + + type as_dto_sample_search_SearchSampleTypesOperation = SearchSampleTypesOperation + + type as_dto_sample_search_SearchSampleTypesOperationResult = SearchSampleTypesOperationResult + + type as_dto_sample_search_SearchSamplesOperation = SearchSamplesOperation + + type as_dto_sample_search_SearchSamplesOperationResult = SearchSamplesOperationResult + + type as_dto_sample_update_SampleTypeUpdate = SampleTypeUpdate + + type as_dto_sample_update_SampleUpdate = SampleUpdate + + type as_dto_sample_update_UpdateSampleTypesOperation = UpdateSampleTypesOperation + + type as_dto_sample_update_UpdateSampleTypesOperationResult = UpdateSampleTypesOperationResult + + type as_dto_sample_update_UpdateSamplesOperation = UpdateSamplesOperation + + type as_dto_sample_update_UpdateSamplesOperationResult = UpdateSamplesOperationResult + + type as_dto_semanticannotation_SemanticAnnotation = SemanticAnnotation + + type as_dto_semanticannotation_create_CreateSemanticAnnotationsOperation = CreateSemanticAnnotationsOperation + + type as_dto_semanticannotation_create_CreateSemanticAnnotationsOperationResult = CreateSemanticAnnotationsOperationResult + + type as_dto_semanticannotation_create_SemanticAnnotationCreation = SemanticAnnotationCreation + + type as_dto_semanticannotation_delete_DeleteSemanticAnnotationsOperation = DeleteSemanticAnnotationsOperation + + type as_dto_semanticannotation_delete_DeleteSemanticAnnotationsOperationResult = DeleteSemanticAnnotationsOperationResult + + type as_dto_semanticannotation_delete_SemanticAnnotationDeletionOptions = SemanticAnnotationDeletionOptions + + type as_dto_semanticannotation_fetchoptions_SemanticAnnotationFetchOptions = SemanticAnnotationFetchOptions + + type as_dto_semanticannotation_fetchoptions_SemanticAnnotationSortOptions = SemanticAnnotationSortOptions + + type as_dto_semanticannotation_get_GetSemanticAnnotationsOperation = GetSemanticAnnotationsOperation + + type as_dto_semanticannotation_get_GetSemanticAnnotationsOperationResult = GetSemanticAnnotationsOperationResult + + type as_dto_semanticannotation_id_ISemanticAnnotationId = ISemanticAnnotationId + + type as_dto_semanticannotation_id_SemanticAnnotationPermId = SemanticAnnotationPermId + + type as_dto_semanticannotation_search_DescriptorAccessionIdSearchCriteria = DescriptorAccessionIdSearchCriteria + + type as_dto_semanticannotation_search_DescriptorOntologyIdSearchCriteria = DescriptorOntologyIdSearchCriteria + + type as_dto_semanticannotation_search_DescriptorOntologyVersionSearchCriteria = DescriptorOntologyVersionSearchCriteria + + type as_dto_semanticannotation_search_PredicateAccessionIdSearchCriteria = PredicateAccessionIdSearchCriteria + + type as_dto_semanticannotation_search_PredicateOntologyIdSearchCriteria = PredicateOntologyIdSearchCriteria + + type as_dto_semanticannotation_search_PredicateOntologyVersionSearchCriteria = PredicateOntologyVersionSearchCriteria + + type as_dto_semanticannotation_search_SearchSemanticAnnotationsOperation = SearchSemanticAnnotationsOperation + + type as_dto_semanticannotation_search_SearchSemanticAnnotationsOperationResult = SearchSemanticAnnotationsOperationResult + + type as_dto_semanticannotation_search_SemanticAnnotationSearchCriteria = SemanticAnnotationSearchCriteria + + type as_dto_semanticannotation_update_SemanticAnnotationUpdate = SemanticAnnotationUpdate + + type as_dto_semanticannotation_update_UpdateSemanticAnnotationsOperation = UpdateSemanticAnnotationsOperation + + type as_dto_semanticannotation_update_UpdateSemanticAnnotationsOperationResult = UpdateSemanticAnnotationsOperationResult + + type as_dto_server_ServerInformation = ServerInformation + + type as_dto_service_AggregationService = AggregationService + + type as_dto_service_CustomASService = CustomASService + + type as_dto_service_CustomASServiceExecutionOptions = CustomASServiceExecutionOptions + + type as_dto_service_ProcessingService = ProcessingService + + type as_dto_service_ReportingService = ReportingService + + type as_dto_service_SearchDomainService = SearchDomainService + + type as_dto_service_SearchDomainServiceExecutionResult = SearchDomainServiceExecutionResult + + type as_dto_service_SearchDomainServiceSearchOption = SearchDomainServiceSearchOption + + type as_dto_service_execute_AbstractExecutionOptionsWithParameters<EO extends as_dto_service_execute_AbstractExecutionOptionsWithParameters<EO, V>,V extends any> = as_dto_service_execute_AbstractExecutionOptionsWithParameters<EO,V> + + type as_dto_service_execute_AggregationServiceExecutionOptions = AggregationServiceExecutionOptions + + type as_dto_service_execute_ExecuteAggregationServiceOperation = ExecuteAggregationServiceOperation + + type as_dto_service_execute_ExecuteAggregationServiceOperationResult = ExecuteAggregationServiceOperationResult + + type as_dto_service_execute_ExecuteCustomASServiceOperation = ExecuteCustomASServiceOperation + + type as_dto_service_execute_ExecuteCustomASServiceOperationResult = ExecuteCustomASServiceOperationResult + + type as_dto_service_execute_ExecuteProcessingServiceOperation = ExecuteProcessingServiceOperation + + type as_dto_service_execute_ExecuteProcessingServiceOperationResult = ExecuteProcessingServiceOperationResult + + type as_dto_service_execute_ExecuteReportingServiceOperation = ExecuteReportingServiceOperation + + type as_dto_service_execute_ExecuteReportingServiceOperationResult = ExecuteReportingServiceOperationResult + + type as_dto_service_execute_ExecuteSearchDomainServiceOperation = ExecuteSearchDomainServiceOperation + + type as_dto_service_execute_ExecuteSearchDomainServiceOperationResult = ExecuteSearchDomainServiceOperationResult + + type as_dto_service_execute_ProcessingServiceExecutionOptions = ProcessingServiceExecutionOptions + + type as_dto_service_execute_ReportingServiceExecutionOptions = ReportingServiceExecutionOptions + + type as_dto_service_execute_SearchDomainServiceExecutionOptions = SearchDomainServiceExecutionOptions + + type as_dto_service_fetchoptions_AggregationServiceFetchOptions = AggregationServiceFetchOptions + + type as_dto_service_fetchoptions_AggregationServiceSortOptions = AggregationServiceSortOptions + + type as_dto_service_fetchoptions_CustomASServiceFetchOptions = CustomASServiceFetchOptions + + type as_dto_service_fetchoptions_CustomASServiceSortOptions = CustomASServiceSortOptions + + type as_dto_service_fetchoptions_ProcessingServiceFetchOptions = ProcessingServiceFetchOptions + + type as_dto_service_fetchoptions_ProcessingServiceSortOptions = ProcessingServiceSortOptions + + type as_dto_service_fetchoptions_ReportingServiceFetchOptions = ReportingServiceFetchOptions + + type as_dto_service_fetchoptions_ReportingServiceSortOptions = ReportingServiceSortOptions + + type as_dto_service_fetchoptions_SearchDomainServiceFetchOptions = SearchDomainServiceFetchOptions + + type as_dto_service_fetchoptions_SearchDomainServiceSortOptions = SearchDomainServiceSortOptions + + type as_dto_service_id_CustomASServiceCode = CustomASServiceCode + + type as_dto_service_id_DssServicePermId = DssServicePermId + + type as_dto_service_id_ICustomASServiceId = ICustomASServiceId + + type as_dto_service_id_IDssServiceId = IDssServiceId + + type as_dto_service_search_AggregationServiceSearchCriteria = AggregationServiceSearchCriteria + + type as_dto_service_search_CustomASServiceSearchCriteria = CustomASServiceSearchCriteria + + type as_dto_service_search_ProcessingServiceSearchCriteria = ProcessingServiceSearchCriteria + + type as_dto_service_search_ReportingServiceSearchCriteria = ReportingServiceSearchCriteria + + type as_dto_service_search_SearchAggregationServicesOperation = SearchAggregationServicesOperation + + type as_dto_service_search_SearchAggregationServicesOperationResult = SearchAggregationServicesOperationResult + + type as_dto_service_search_SearchCustomASServicesOperation = SearchCustomASServicesOperation + + type as_dto_service_search_SearchCustomASServicesOperationResult = SearchCustomASServicesOperationResult + + type as_dto_service_search_SearchDomainServiceSearchCriteria = SearchDomainServiceSearchCriteria + + type as_dto_service_search_SearchProcessingServicesOperation = SearchProcessingServicesOperation + + type as_dto_service_search_SearchProcessingServicesOperationResult = SearchProcessingServicesOperationResult + + type as_dto_service_search_SearchReportingServicesOperation = SearchReportingServicesOperation + + type as_dto_service_search_SearchReportingServicesOperationResult = SearchReportingServicesOperationResult + + type as_dto_service_search_SearchSearchDomainServicesOperation = SearchSearchDomainServicesOperation + + type as_dto_service_search_SearchSearchDomainServicesOperationResult = SearchSearchDomainServicesOperationResult + + type as_dto_session_SessionInformation = SessionInformation + + type as_dto_session_fetchoptions_SessionInformationFetchOptions = SessionInformationFetchOptions + + type as_dto_session_fetchoptions_SessionInformationSortOptions = SessionInformationSortOptions + + type as_dto_session_get_GetSessionInformationOperation = GetSessionInformationOperation + + type as_dto_session_get_GetSessionInformationOperationResult = GetSessionInformationOperationResult + + type as_dto_session_id_ISessionInformationId = ISessionInformationId + + type as_dto_session_id_SessionInformationPermId = SessionInformationPermId + + type as_dto_session_search_PersonalAccessTokenSessionNameSearchCriteria = as_dto_session_search_PersonalAccessTokenSessionNameSearchCriteria + + type as_dto_session_search_PersonalAccessTokenSessionSearchCriteria = PersonalAccessTokenSessionSearchCriteria + + type as_dto_session_search_SearchSessionInformationOperation = SearchSessionInformationOperation + + type as_dto_session_search_SearchSessionInformationOperationResult = SearchSessionInformationOperationResult + + type as_dto_session_search_SessionInformationSearchCriteria = SessionInformationSearchCriteria + + type as_dto_session_search_UserNameSearchCriteria = UserNameSearchCriteria + + type as_dto_space_Space = Space + + type as_dto_space_create_CreateSpacesOperation = CreateSpacesOperation + + type as_dto_space_create_CreateSpacesOperationResult = CreateSpacesOperationResult + + type as_dto_space_create_SpaceCreation = SpaceCreation + + type as_dto_space_delete_DeleteSpacesOperation = DeleteSpacesOperation + + type as_dto_space_delete_DeleteSpacesOperationResult = DeleteSpacesOperationResult + + type as_dto_space_delete_SpaceDeletionOptions = SpaceDeletionOptions + + type as_dto_space_fetchoptions_SpaceFetchOptions = SpaceFetchOptions + + type as_dto_space_fetchoptions_SpaceSortOptions = SpaceSortOptions + + type as_dto_space_get_GetSpacesOperation = GetSpacesOperation + + type as_dto_space_get_GetSpacesOperationResult = GetSpacesOperationResult + + type as_dto_space_id_ISpaceId = ISpaceId + + type as_dto_space_id_SpacePermId = SpacePermId + + type as_dto_space_id_SpaceTechId = SpaceTechId + + type as_dto_space_search_NoSpaceSearchCriteria = NoSpaceSearchCriteria + + type as_dto_space_search_SearchSpacesOperation = SearchSpacesOperation + + type as_dto_space_search_SearchSpacesOperationResult = SearchSpacesOperationResult + + type as_dto_space_search_SpaceSearchCriteria = SpaceSearchCriteria + + type as_dto_space_update_SpaceUpdate = SpaceUpdate + + type as_dto_space_update_UpdateSpacesOperation = UpdateSpacesOperation + + type as_dto_space_update_UpdateSpacesOperationResult = UpdateSpacesOperationResult + + type as_dto_tag_Tag = Tag + + type as_dto_tag_create_CreateTagsOperation = CreateTagsOperation + + type as_dto_tag_create_CreateTagsOperationResult = CreateTagsOperationResult + + type as_dto_tag_create_TagCreation = TagCreation + + type as_dto_tag_delete_DeleteTagsOperation = DeleteTagsOperation + + type as_dto_tag_delete_DeleteTagsOperationResult = DeleteTagsOperationResult + + type as_dto_tag_delete_TagDeletionOptions = TagDeletionOptions + + type as_dto_tag_fetchoptions_TagFetchOptions = TagFetchOptions + + type as_dto_tag_fetchoptions_TagSortOptions = TagSortOptions + + type as_dto_tag_get_GetTagsOperation = GetTagsOperation + + type as_dto_tag_get_GetTagsOperationResult = GetTagsOperationResult + + type as_dto_tag_id_ITagId = ITagId + + type as_dto_tag_id_TagCode = TagCode + + type as_dto_tag_id_TagPermId = TagPermId + + type as_dto_tag_search_SearchTagsOperation = SearchTagsOperation + + type as_dto_tag_search_SearchTagsOperationResult = SearchTagsOperationResult + + type as_dto_tag_search_TagSearchCriteria = TagSearchCriteria + + type as_dto_tag_update_TagUpdate = TagUpdate + + type as_dto_tag_update_UpdateTagsOperation = UpdateTagsOperation + + type as_dto_tag_update_UpdateTagsOperationResult = UpdateTagsOperationResult + + type as_dto_vocabulary_Vocabulary = Vocabulary + + type as_dto_vocabulary_VocabularyTerm = VocabularyTerm + + type as_dto_vocabulary_create_CreateVocabulariesOperation = CreateVocabulariesOperation + + type as_dto_vocabulary_create_CreateVocabulariesOperationResult = CreateVocabulariesOperationResult + + type as_dto_vocabulary_create_CreateVocabularyTermsOperation = CreateVocabularyTermsOperation + + type as_dto_vocabulary_create_CreateVocabularyTermsOperationResult = CreateVocabularyTermsOperationResult + + type as_dto_vocabulary_create_VocabularyCreation = VocabularyCreation + + type as_dto_vocabulary_create_VocabularyTermCreation = VocabularyTermCreation + + type as_dto_vocabulary_delete_DeleteVocabulariesOperation = DeleteVocabulariesOperation + + type as_dto_vocabulary_delete_DeleteVocabulariesOperationResult = DeleteVocabulariesOperationResult + + type as_dto_vocabulary_delete_DeleteVocabularyTermsOperation = DeleteVocabularyTermsOperation + + type as_dto_vocabulary_delete_DeleteVocabularyTermsOperationResult = DeleteVocabularyTermsOperationResult + + type as_dto_vocabulary_delete_VocabularyDeletionOptions = VocabularyDeletionOptions + + type as_dto_vocabulary_delete_VocabularyTermDeletionOptions = VocabularyTermDeletionOptions + + type as_dto_vocabulary_delete_VocabularyTermReplacement = VocabularyTermReplacement + + type as_dto_vocabulary_fetchoptions_VocabularyFetchOptions = VocabularyFetchOptions + + type as_dto_vocabulary_fetchoptions_VocabularySortOptions = VocabularySortOptions + + type as_dto_vocabulary_fetchoptions_VocabularyTermFetchOptions = VocabularyTermFetchOptions + + type as_dto_vocabulary_fetchoptions_VocabularyTermSortOptions = VocabularyTermSortOptions + + type as_dto_vocabulary_get_GetVocabulariesOperation = GetVocabulariesOperation + + type as_dto_vocabulary_get_GetVocabulariesOperationResult = GetVocabulariesOperationResult + + type as_dto_vocabulary_get_GetVocabularyTermsOperation = GetVocabularyTermsOperation + + type as_dto_vocabulary_get_GetVocabularyTermsOperationResult = GetVocabularyTermsOperationResult + + type as_dto_vocabulary_id_IVocabularyId = IVocabularyId + + type as_dto_vocabulary_id_IVocabularyTermId = IVocabularyTermId + + type as_dto_vocabulary_id_VocabularyPermId = VocabularyPermId + + type as_dto_vocabulary_id_VocabularyTermPermId = VocabularyTermPermId + + type as_dto_vocabulary_search_SearchVocabulariesOperation = SearchVocabulariesOperation + + type as_dto_vocabulary_search_SearchVocabulariesOperationResult = SearchVocabulariesOperationResult + + type as_dto_vocabulary_search_SearchVocabularyTermsOperation = SearchVocabularyTermsOperation + + type as_dto_vocabulary_search_SearchVocabularyTermsOperationResult = SearchVocabularyTermsOperationResult + + type as_dto_vocabulary_search_VocabularySearchCriteria = VocabularySearchCriteria + + type as_dto_vocabulary_search_VocabularyTermSearchCriteria = VocabularyTermSearchCriteria + + type as_dto_vocabulary_update_UpdateVocabulariesOperation = UpdateVocabulariesOperation + + type as_dto_vocabulary_update_UpdateVocabulariesOperationResult = UpdateVocabulariesOperationResult + + type as_dto_vocabulary_update_UpdateVocabularyTermsOperation = UpdateVocabularyTermsOperation + + type as_dto_vocabulary_update_UpdateVocabularyTermsOperationResult = UpdateVocabularyTermsOperationResult + + type as_dto_vocabulary_update_VocabularyTermUpdate = VocabularyTermUpdate + + type as_dto_vocabulary_update_VocabularyUpdate = VocabularyUpdate + + type as_dto_webapp_WebAppSetting = WebAppSetting + + type as_dto_webapp_WebAppSettings = WebAppSettings + + type as_dto_webapp_create_WebAppSettingCreation = WebAppSettingCreation + + type as_dto_webapp_fetchoptions_WebAppSettingsFetchOptions = WebAppSettingsFetchOptions + + type as_dto_webapp_fetchoptions_WebAppSettingsSortOptions = WebAppSettingsSortOptions + + type as_dto_webapp_update_WebAppSettingsUpdateValue = WebAppSettingsUpdateValue + + type dss_dto_common_operation_IOperationResult = dss_dto_common_operation_IOperationResult + + type dss_dto_dataset_create_FullDataSetCreation = FullDataSetCreation + + type dss_dto_dataset_create_UploadedDataSetCreation = UploadedDataSetCreation + + type dss_dto_datasetfile_DataSetFile = DataSetFile + + type dss_dto_datasetfile_create_DataSetFileCreation = DataSetFileCreation + + type dss_dto_datasetfile_fastdownload_FastDownloadSession = FastDownloadSession + + type dss_dto_datasetfile_fastdownload_FastDownloadSessionOptions = FastDownloadSessionOptions + + type dss_dto_datasetfile_fetchoptions_DataSetFileFetchOptions = DataSetFileFetchOptions + + type dss_dto_datasetfile_fetchoptions_DataSetFileSortOptions = DataSetFileSortOptions + + type dss_dto_datasetfile_id_DataSetFilePermId = DataSetFilePermId + + type dss_dto_datasetfile_id_IDataSetFileId = IDataSetFileId + + type dss_dto_datasetfile_search_DataSetFileSearchCriteria = DataSetFileSearchCriteria + + type dss_dto_service_CustomDSSService = CustomDSSService + + type dss_dto_service_CustomDSSServiceExecutionOptions = CustomDSSServiceExecutionOptions + + type dss_dto_service_execute_AbstractExecutionOptionsWithParameters<EO extends dss_dto_service_execute_AbstractExecutionOptionsWithParameters<EO, V>,V extends any> = dss_dto_service_execute_AbstractExecutionOptionsWithParameters<EO,V> + + type dss_dto_service_execute_ExecuteCustomDSSServiceOperationResult = ExecuteCustomDSSServiceOperationResult + + type dss_dto_service_fetchoptions_CustomDSSServiceFetchOptions = CustomDSSServiceFetchOptions + + type dss_dto_service_fetchoptions_CustomDSSServiceSortOptions = CustomDSSServiceSortOptions + + type dss_dto_service_id_CustomDssServiceCode = CustomDssServiceCode + + type dss_dto_service_id_ICustomDSSServiceId = ICustomDSSServiceId + + type openbis = OpenBISJavaScriptFacade + +} diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/types/underscore.d.ts b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/types/underscore.d.ts new file mode 100644 index 0000000000000000000000000000000000000000..00bcd34c88d95910baab2e430df43cddef7ea3b8 --- /dev/null +++ b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/test/types/underscore.d.ts @@ -0,0 +1,6680 @@ +declare var _: _.UnderscoreStatic; +export = _; +export as namespace _; + +// The DOM is not required to be present, but these definitions reference type Element for the +// isElement check. If the DOM is present, this declaration will merge. +declare global { + interface Element {} +} + +declare namespace _ { + /** + * underscore.js _.throttle options. + */ + interface ThrottleSettings { + /** + * If you'd like to disable the leading-edge call, pass this as false. + */ + leading?: boolean | undefined; + + /** + * If you'd like to disable the execution on the trailing-edge, pass false. + */ + trailing?: boolean | undefined; + } + + /** + * underscore.js template settings, set templateSettings or pass as an argument + * to 'template()' to override defaults. + */ + interface TemplateSettings { + /** + * Default value is '/<%([\s\S]+?)%>/g'. + */ + evaluate?: RegExp | undefined; + + /** + * Default value is '/<%=([\s\S]+?)%>/g'. + */ + interpolate?: RegExp | undefined; + + /** + * Default value is '/<%-([\s\S]+?)%>/g'. + */ + escape?: RegExp | undefined; + + /** + * By default, 'template()' places the values from your data in the local scope via the 'with' statement. + * However, you can specify a single variable name with this setting. + */ + variable?: string | undefined; + } + + interface CompiledTemplate { + (data?: any): string; + source: string; + } + + // Common interface between Arrays and jQuery objects + interface List<T> { + [index: number]: T; + length: number; + } + + interface Dictionary<T> { + [index: string]: T; + } + + type Collection<T> = List<T> | Dictionary<T>; + + type CollectionKey<V> = V extends never ? any + : V extends List<any> ? number + : V extends Dictionary<any> ? string + : V extends undefined ? undefined + : never; + + interface Predicate<T> { + (value: T): boolean; + } + + interface CollectionIterator<T extends TypeOfList<V> | TypeOfDictionary<V, any>, TResult, V = Collection<T>> { + (element: T, key: CollectionKey<V>, collection: V): TResult; + } + + interface ListIterator<T extends TypeOfList<V>, TResult, V = List<T>> extends CollectionIterator<T, TResult, V> {} + + interface ObjectIterator<T extends TypeOfDictionary<V, any>, TResult, V = Dictionary<T>> + extends CollectionIterator<T, TResult, V> + {} + + type Iteratee<V, R, T extends TypeOfCollection<V, any> = TypeOfCollection<V>> = + | CollectionIterator<T, R, V> + | string + | number + | Array<string | number> + | Partial<T> + | null + | undefined; + + type IterateeResult<I, T> = I extends (...args: any[]) => infer R ? R + : I extends keyof T ? T[I] + : I extends string | number | Array<string | number> ? any + : I extends object ? boolean + : I extends null | undefined ? T + : never; + + type PropertyTypeOrAny<T, K> = K extends keyof T ? T[K] : any; + + interface MemoCollectionIterator<T extends TypeOfList<V> | TypeOfDictionary<V, any>, TResult, V = Collection<T>> { + (prev: TResult, curr: T, key: CollectionKey<V>, collection: V): TResult; + } + + interface MemoIterator<T extends TypeOfList<V>, TResult, V = List<T>> + extends MemoCollectionIterator<T, TResult, V> + {} + + interface MemoObjectIterator<T extends TypeOfDictionary<V>, TResult, V = Dictionary<T>> + extends MemoCollectionIterator<T, TResult, V> + {} + + type TypeOfList<V> = V extends never ? any + : V extends List<infer T> ? T + : never; + + type TypeOfDictionary<V, TDefault = never> = V extends never ? any + : V extends Dictionary<infer T> ? T + : TDefault; + + type TypeOfCollection<V, TObjectDefault = never> = V extends List<any> ? TypeOfList<V> + : TypeOfDictionary<V, TObjectDefault>; + + type DeepTypeOfCollection<V, P> = P extends [infer H, ...infer R] + ? H extends keyof V ? DeepTypeOfCollection<V[H], R> + : never + : V; + + type ListItemOrSelf<T> = T extends List<infer TItem> ? TItem : T; + + // unfortunately it's not possible to recursively collapse all possible list dimensions to T[] at this time, + // so give up after one dimension since that's likely the most common case + // '& object' prevents strings from being matched by list checks so types like string[] don't end up resulting in any + type DeepestListItemOrSelf<T> = T extends List<infer TItem> & object ? TItem extends List<any> & object ? any + : TItem + : T; + + // if T is an inferrable pair, the value type for the pair + // if T is a list, assume that it contains pairs of some type, so any + // if T isn't a list, there's no way that it can provide pairs, so never + type PairValue<T> = T extends Readonly<[string | number, infer TValue]> ? TValue + : T extends List<infer TValue> ? TValue + : never; + + type AnyFalsy = undefined | null | false | "" | 0; + + type Truthy<T> = Exclude<T, AnyFalsy>; + + type _Pick<V, K extends string> = Extract<K, keyof V> extends never ? Partial<V> + : Pick<V, Extract<K, keyof V>>; + + // switch to Omit when the minimum TS version moves past 3.5 + type _Omit<V, K extends string> = V extends never ? any + : Extract<K, keyof V> extends never ? Partial<V> + : Pick<V, Exclude<keyof V, K>>; + + type _ChainSingle<V> = _Chain<TypeOfCollection<V>, V>; + + type TypedArray = + | Int8Array + | Uint8Array + | Int16Array + | Uint16Array + | Int32Array + | Uint32Array + | Uint8ClampedArray + | Float32Array + | Float64Array; + + interface Cancelable { + cancel(): void; + } + + interface UnderscoreStatic { + /******* + * OOP * + *******/ + + /** + * Underscore OOP Wrapper, all Underscore functions that take an object + * as the first parameter can be invoked through this function. + * @param value First argument to Underscore object functions. + * @returns An Underscore wrapper around the supplied value. + */ + <V>(value: V): Underscore<TypeOfCollection<V>, V>; + + /*************** + * Collections * + ***************/ + + /** + * Iterates over a `collection` of elements, yielding each in turn to + * an `iteratee`. The `iteratee` is bound to the context object, if one + * is passed. + * @param collection The collection of elements to iterate over. + * @param iteratee The iteratee to call for each element in + * `collection`. + * @param context 'this' object in `iteratee`, optional. + * @returns The original collection. + */ + each<V extends Collection<any>>( + collection: V, + iteratee: CollectionIterator<TypeOfCollection<V>, void, V>, + context?: any, + ): V; + + /** + * @see each + */ + forEach: UnderscoreStatic["each"]; + + /** + * Produces a new array of values by mapping each value in `collection` + * through a transformation `iteratee`. + * @param collection The collection to transform. + * @param iteratee The iteratee to use to transform each item in + * `collection`. + * @param context `this` object in `iteratee`, optional. + * @returns The mapped result. + */ + map<V extends Collection<any>, I extends Iteratee<V, any>>( + collection: V, + iteratee: I, + context?: any, + ): Array<IterateeResult<I, TypeOfCollection<V>>>; + + /** + * @see map + */ + collect: UnderscoreStatic["map"]; + + /** + * Also known as inject and foldl, reduce boils down a `collection` of + * values into a single value. `memo` is the initial state of the + * reduction, and each successive step of it should be returned by + * `iteratee`. + * + * If no memo is passed to the initial invocation of reduce, `iteratee` + * is not invoked on the first element of `collection`. The first + * element is instead passed as the memo in the invocation of + * `iteratee` on the next element in `collection`. + * @param collection The collection to reduce. + * @param iteratee The function to call on each iteration to reduce the + * collection. + * @param memo The initial reduce state or undefined to use the first + * item in `collection` as initial state. + * @param context `this` object in `iteratee`, optional. + * @returns The reduced result. + */ + reduce<V extends Collection<any>, TResult>( + collection: V, + iteratee: MemoCollectionIterator<TypeOfCollection<V>, TResult, V>, + memo: TResult, + context?: any, + ): TResult; + reduce<V extends Collection<any>, TResult = TypeOfCollection<V>>( + collection: V, + iteratee: MemoCollectionIterator<TypeOfCollection<V>, TResult | TypeOfCollection<V>, V>, + ): TResult | TypeOfCollection<V> | undefined; + + /** + * @see reduce + */ + inject: UnderscoreStatic["reduce"]; + + /** + * @see reduce + */ + foldl: UnderscoreStatic["reduce"]; + + /** + * The right-associative version of reduce. + * + * This is not as useful in JavaScript as it would be in a language + * with lazy evaluation. + * @param collection The collection to reduce. + * @param iteratee The function to call on each iteration to reduce the + * collection. + * @param memo The initial reduce state or undefined to use the first + * item in `collection` as the initial state. + * @param context `this` object in `iteratee`, optional. + * @returns The reduced result. + */ + reduceRight<V extends Collection<any>, TResult>( + collection: V, + iteratee: MemoCollectionIterator<TypeOfCollection<V>, TResult, V>, + memo: TResult, + context?: any, + ): TResult; + reduceRight<V extends Collection<any>, TResult = TypeOfCollection<V>>( + collection: V, + iteratee: MemoCollectionIterator<TypeOfCollection<V>, TResult | TypeOfCollection<V>, V>, + ): TResult | TypeOfCollection<V> | undefined; + + /** + * @see reduceRight + */ + foldr: UnderscoreStatic["reduceRight"]; + + /** + * Looks through each value in `collection`, returning the first one + * that passes a truth test (`iteratee`), or undefined if no value + * passes the test. The function returns as soon as it finds an + * acceptable element, and doesn't traverse the entire collection. + * @param collection The collection to search. + * @param iteratee The truth test to apply. + * @param context `this` object in `iteratee`, optional. + * @returns The first element in `collection` that passes the truth + * test or undefined if no elements pass. + */ + find<V extends Collection<any>>( + collection: V, + iteratee?: Iteratee<V, boolean>, + context?: any, + ): TypeOfCollection<V> | undefined; + + /** + * @see find + */ + detect: UnderscoreStatic["find"]; + + /** + * Looks through each value in `collection`, returning an array of + * all the values that pass a truth test (`iteratee`). + * @param collection The collection to filter. + * @param iteratee The truth test to apply. + * @param context `this` object in `iteratee`, optional. + * @returns The set of values that pass the truth test. + */ + filter<V extends Collection<any>>( + collection: V, + iteratee?: Iteratee<V, boolean>, + context?: any, + ): Array<TypeOfCollection<V>>; + + /** + * @see filter + */ + select: UnderscoreStatic["filter"]; + + /** + * Looks through each value in `collection`, returning an array of all + * the elements that match the key-value pairs listed in `properties`. + * @param collection The collection in which to find elements that + * match `properties`. + * @param properties The properties to check for on the elements within + * `collection`. + * @returns The elements in `collection` that match `properties`. + */ + where<V extends Collection<any>>( + collection: V, + properties: Partial<TypeOfCollection<V>>, + ): Array<TypeOfCollection<V>>; + + /** + * Looks through `collection` and returns the first value that matches + * all of the key-value pairs listed in `properties`. If no match is + * found, or if list is empty, undefined will be returned. + * @param collection The collection in which to find an element that + * matches `properties`. + * @param properties The properties to check for on the elements within + * `collection`. + * @returns The first element in `collection` that matches `properties` + * or undefined if no match is found. + */ + findWhere<V extends Collection<any>>( + collection: V, + properties: Partial<TypeOfCollection<V>>, + ): TypeOfCollection<V> | undefined; + + /** + * Returns the values in `collection` without the elements that pass a + * truth test (`iteratee`). + * The opposite of filter. + * @param collection The collection to filter. + * @param iteratee The truth test to apply. + * @param context `this` object in `iteratee`, optional. + * @returns The set of values that fail the truth test. + */ + reject<V extends Collection<any>>( + collection: V, + iteratee?: Iteratee<V, boolean>, + context?: any, + ): Array<TypeOfCollection<V>>; + + /** + * Returns true if all of the values in `collection` pass the + * `iteratee` truth test. Short-circuits and stops traversing + * `collection` if a false element is found. + * @param collection The collection to evaluate. + * @param iteratee The truth test to apply. + * @param context `this` object in `iteratee`, optional. + * @returns True if all elements pass the truth test, otherwise false. + */ + every<V extends Collection<any>>( + collection: V, + iteratee?: Iteratee<V, boolean>, + context?: any, + ): boolean; + + /** + * @see every + */ + all: UnderscoreStatic["every"]; + + /** + * Returns true if any of the values in `collection` pass the + * `iteratee` truth test. Short-circuits and stops traversing + * `collection` if a true element is found. + * @param collection The collection to evaluate. + * @param iteratee The truth test to apply. + * @param context `this` object in `iteratee`, optional. + * @returns True if any element passed the truth test, otherwise false. + */ + some<V extends Collection<any>>( + collection: V, + iteratee?: Iteratee<V, boolean>, + context?: any, + ): boolean; + + /** + * @see some + */ + any: UnderscoreStatic["some"]; + + /** + * Returns true if the value is present in `collection`. Uses indexOf + * internally, if `collection` is a List. Use `fromIndex` to start your + * search at a given index. + * @param collection The collection to check for `value`. + * @param value The value to check `collection` for. + * @param fromIndex The index to start searching from, optional, + * default = 0, only used when `collection` is a List. + * @returns True if `value` is present in `collection` after + * `fromIndex`, otherwise false. + */ + contains<V extends Collection<any>>( + collection: V, + value: any, + fromIndex?: number, + ): boolean; + + /** + * @see contains + */ + include: UnderscoreStatic["contains"]; + + /** + * @see contains + */ + includes: UnderscoreStatic["contains"]; + + /** + * Calls the method named by `methodName` on each value in + * `collection`. Any extra arguments passed to invoke will be forwarded + * on to the method invocation. + * @param collection The collection of elements to invoke `methodName` + * on. + * @param methodName The name of the method to call on each element in + * `collection`. + * @param args Additional arguments to pass to method `methodName`. + * @returns An array containing the result of the method call for each + * item in `collection`. + */ + invoke( + list: Collection<any>, + methodName: string, + ...args: any[] + ): any[]; + + /** + * A convenient version of what is perhaps the most common use-case for + * map: extracting a list of property values. + * @param collection The collection of items. + * @param propertyName The name of a specific property to retrieve from + * all items in `collection`. + * @returns The set of values for the specified `propertyName` for each + * item in `collection`. + */ + pluck<V extends Collection<any>, K extends string | number>( + collection: V, + propertyName: K, + ): Array<PropertyTypeOrAny<TypeOfCollection<V>, K>>; + + /** + * Returns the maximum value in `collection`. If an `iteratee` is + * provided, it will be used on each element to generate the criterion + * by which the element is ranked. -Infinity is returned if list is + * empty. Non-numerical values returned by `iteratee` will be ignored. + * @param collection The collection in which to find the maximum value. + * @param iteratee The iteratee that provides the criterion by which + * each element is ranked, optional if evaluating a collection of + * numbers. + * @param context `this` object in `iteratee`, optional. + * @returns The maximum element within `collection` or -Infinity if + * `collection` is empty. + */ + max<V extends Collection<any>>( + collection: V, + iteratee?: Iteratee<V, any>, + context?: any, + ): TypeOfCollection<V> | number; + + /** + * Returns the minimum value in `collection`. If an `iteratee` is + * provided, it will be used on each element to generate the criterion + * by which the element is ranked. Infinity is returned if list is + * empty. Non-numerical values returned by `iteratee` will be ignored. + * @param collection The collection in which to find the minimum value. + * @param iteratee The iteratee that provides the criterion by which + * each element is ranked, optional if evaluating a collection of + * numbers. + * @param context `this` object in `iteratee`, optional. + * @returns The minimum element within `collection` or Infinity if + * `collection` is empty. + */ + min<V extends Collection<any>>( + list: V, + iteratee?: Iteratee<V, any>, + context?: any, + ): TypeOfCollection<V> | number; + + /** + * Returns a (stably) sorted copy of `collection`, ranked in ascending + * order by the results of running each value through `iteratee`. + * @param collection The collection to sort. + * @param iteratee An iteratee that provides the value to sort by for + * each item in `collection`. + * @param context `this` object in `iteratee`, optional. + * @returns A sorted copy of `collection`. + */ + sortBy<V extends Collection<any>>( + collection: V, + iteratee?: Iteratee<V, any>, + context?: any, + ): Array<TypeOfCollection<V>>; + + /** + * Splits `collection` into sets that are grouped by the result of + * running each value through `iteratee`. + * @param collection The collection to group. + * @param iteratee An iteratee that provides the value to group by for + * each item in `collection`. + * @param context `this` object in `iteratee`, optional. + * @returns A dictionary with the group names provided by `iteratee` as + * properties where each property contains the grouped elements from + * `collection`. + */ + groupBy<V extends Collection<any>>( + collection: V, + iteratee?: Iteratee<V, string | number>, + context?: any, + ): Dictionary<Array<TypeOfCollection<V>>>; + + /** + * Given a `collection` and an `iteratee` function that returns a key + * for each element in `collection`, returns an object that acts as an + * index of each item. Just like `groupBy`, but for when you know your + * keys are unique. + * @param collection The collection to index. + * @param iteratee An iteratee that provides the value to index by for + * each item in `collection`. + * @param context `this` object in `iteratee`, optional. + * @returns A dictionary where each item in `collection` is assigned to + * the property designated by `iteratee`. + */ + indexBy<V extends Collection<any>>( + collection: V, + iteratee?: Iteratee<V, string | number>, + context?: any, + ): Dictionary<TypeOfCollection<V>>; + + /** + * Sorts `collection` into groups and returns a count for the number of + * objects in each group. Similar to `groupBy`, but instead of + * returning a list of values, returns a count for the number of values + * in that group. + * @param collection The collection to count. + * @param iteratee An iteratee that provides the value to count by for + * each item in `collection`. + * @param context `this` object in `iteratee`, optional. + * @returns A dictionary with the group names provided by `iteratee` as + * properties where each property contains the count of the grouped + * elements from `collection`. + */ + countBy<V extends Collection<any>>( + collection: V, + iteratee?: Iteratee<V, string | number>, + context?: any, + ): Dictionary<number>; + + /** + * Returns a shuffled copy of `collection`, using a version of the + * Fisher-Yates shuffle. + * @param collection The collection to shuffle. + * @returns A shuffled copy of `collection`. + */ + shuffle<V extends Collection<any>>( + collection: V, + ): Array<TypeOfCollection<V>>; + + /** + * Produce a random sample from `collection`. Pass a number to return + * `n` random elements from `collection`. Otherwise a single random + * item will be returned. + * @param collection The collection to sample. + * @param n The number of elements to sample from `collection`. + * @returns A random sample of `n` elements from `collection` or a + * single element if `n` is not specified. + */ + sample<V extends Collection<any>>( + collection: V, + n: number, + ): Array<TypeOfCollection<V>>; + sample<V extends Collection<any>>( + collection: V, + ): TypeOfCollection<V> | undefined; + + /** + * Creates a real Array from `collection` (anything that can be + * iterated over). Useful for transmuting the arguments object. + * @param collection The collection to transform into an array. + * @returns An array containing the elements of `collection`. + */ + toArray<V extends Collection<any>>( + collection: V, + ): Array<TypeOfCollection<V>>; + + /** + * Determines the number of values in `collection`. + * @param collection The collection to determine the number of values + * for. + * @returns The number of values in `collection`. + */ + size(collection: Collection<any>): number; + + /** + * Splits `collection` into two arrays: one whose elements all satisfy + * `iteratee` and one whose elements all do not satisfy `iteratee`. + * @param collection The collection to partition. + * @param iteratee The iteratee that defines the partitioning scheme + * for each element in `collection`. + * @param context `this` object in `iteratee`, optional. + * @returns An array composed of two elements, where the first element + * contains the elements in `collection` that satisfied the predicate + * and the second element contains the elements that did not. + */ + partition<V extends Collection<any>>( + list: V, + iteratee?: Iteratee<V, boolean>, + context?: any, + ): [Array<TypeOfCollection<V>>, Array<TypeOfCollection<V>>]; + + /********** + * Arrays * + **********/ + + /** + * Returns the first element of `list`. Passing `n` will return the + * first `n` elements of `list`. + * @param list The list to retrieve elements from. + * @param n The number of elements to retrieve, optional. + * @returns The first `n` elements of `list` or the first element if + * `n` is omitted. + */ + first<V extends List<any>>( + list: V, + ): TypeOfList<V> | undefined; + first<V extends List<any>>( + list: V, + n: number, + ): Array<TypeOfList<V>>; + + /** + * @see first + */ + head: UnderscoreStatic["first"]; + + /** + * @see first + */ + take: UnderscoreStatic["first"]; + + /** + * Returns everything but the last entry of `list`. Especially useful + * on the arguments object. Pass `n` to exclude the last + * `n` elements from the result. + * @param list The list to retrieve elements from. + * @param n The number of elements from the end of `list` to omit, + * optional, default = 1. + * @returns The elements of `list` with the last `n` items omitted. + */ + initial<V extends List<any>>( + list: V, + n?: number, + ): Array<TypeOfList<V>>; + + /** + * Returns the last element of `list`. Passing `n` will return the last + * `n` elements of `list`. + * @param list The list to retrieve elements from. + * @param n The number of elements to retrieve, optional. + * @returns The last `n` elements of `list` or the last element if `n` + * is omitted. + */ + last<V extends List<any>>( + list: V, + ): TypeOfList<V> | undefined; + last<V extends List<any>>( + list: V, + n: number, + ): Array<TypeOfList<V>>; + + /** + * Returns the rest of the elements in `list`. Pass an `index` to + * return the values of the list from that index onward. + * @param list The list to retrieve elements from. + * @param index The index to start retrieving elements from, optional, + * default = 1. + * @returns The elements of `list` from `index` to the end of the list. + */ + rest<V extends List<any>>( + list: V, + index?: number, + ): Array<TypeOfList<V>>; + + /** + * @see rest + */ + tail: UnderscoreStatic["rest"]; + + /** + * @see rest + */ + drop: UnderscoreStatic["rest"]; + + /** + * Returns a copy of `list` with all falsy values removed. In + * JavaScript, false, null, 0, "", undefined and NaN are all falsy. + * @param list The list to compact. + * @returns An array containing the elements of `list` without falsy + * values. + */ + compact<V extends List<any> | null | undefined>( + list: V, + ): Array<Truthy<TypeOfList<V>>>; + + /** + * Flattens a nested `list` (the nesting can be to any depth). If you + * pass true or 1 as the depth, the `list` will only be flattened a + * single level. Passing a greater number will cause the flattening to + * descend deeper into the nesting hierarchy. Omitting the depth + * argument, or passing false or Infinity, flattens the `list` all the + * way to the deepest nesting level. + * @param list The list to flatten. + * @param depth True to only flatten one level, optional, + * default = false. + * @returns The flattened `list`. + */ + flatten<V extends List<any>>( + list: V, + depth: 1 | true, + ): Array<ListItemOrSelf<TypeOfList<V>>>; + flatten<V extends List<any>>( + list: V, + depth?: number | false, + ): Array<DeepestListItemOrSelf<TypeOfList<V>>>; + + /** + * Returns a copy of `list` with all instances of `values` removed. + * @param list The list to exclude `values` from. + * @param values The values to exclude from `list`. + * @returns An array that contains all elements of `list` except for + * `values`. + */ + without<V extends List<any>>( + list: V, + ...values: Array<TypeOfList<V>> + ): Array<TypeOfList<V>>; + + /** + * Computes the union of the passed-in `lists`: the list of unique + * items, examined in order from first list to last list, that are + * present in one or more of the lists. + * @param lists The lists to compute the union of. + * @returns The union of elements within `lists`. + */ + union<T>(...lists: Array<List<T>>): T[]; + + /** + * Computes the list of values that are the intersection of the + * passed-in `lists`. Each value in the result is present in each of + * the lists. + * @param lists The lists to compute the intersection of. + * @returns The intersection of elements within the `lists`. + */ + intersection<T>(...lists: Array<List<T>>): T[]; + + /** + * Similar to without, but returns the values from `list` that are not + * present in `others`. + * @param list The starting list. + * @param others The lists of values to exclude from `list`. + * @returns The contents of `list` without the values in `others`. + */ + difference<T>( + list: List<T>, + ...others: Array<List<T>> + ): T[]; + + /** + * Produces a duplicate-free version of `list`, using === to test + * object equality. If you know in advance that `list` is sorted, + * passing true for isSorted will run a much faster algorithm. If you + * want to compute unique items based on a transformation, pass an + * iteratee function. + * @param list The list to remove duplicates from. + * @param isSorted True if `list` is already sorted, optional, + * default = false. + * @param iteratee Transform the elements of `list` before comparisons + * for uniqueness. + * @param context 'this' object in `iteratee`, optional. + * @returns An array containing only the unique elements in `list`. + */ + uniq<V extends List<any>>( + list: V, + isSorted?: boolean, + iteratee?: Iteratee<V, any>, + context?: any, + ): Array<TypeOfList<V>>; + uniq<V extends List<any>>( + list: V, + iteratee?: Iteratee<V, any>, + context?: any, + ): Array<TypeOfList<V>>; + + /** + * @see uniq + */ + unique: UnderscoreStatic["uniq"]; + + /** + * Merges together the values of each of the `lists` with the values at + * the corresponding position. Useful when you have separate data + * sources that are coordinated through matching list indexes. + * @param lists The lists to zip. + * @returns The zipped version of `lists`. + */ + zip(): []; + zip<T, U, V>(...lists: [List<T>, List<U>, List<V>]): Array<[T, U, V]>; + zip<T, U>(...lists: [List<T>, List<U>]): Array<[T, U]>; + zip<T>(...lists: [List<T>]): Array<[T]>; // eslint-disable-line @definitelytyped/no-single-element-tuple-type + zip<T>(...lists: Array<List<T>>): T[][]; + zip(...lists: Array<List<any>>): any[][]; + + /** + * The opposite of zip. Given a list of lists, returns a series of new + * arrays, the first of which contains all of the first elements in the + * input lists, the second of which contains all of the second + * elements, and so on. (alias: transpose) + * @param lists The lists to unzip. + * @returns The unzipped version of `lists`. + */ + unzip<T, U, V>(lists: List<[T, U, V]>): [T[], U[], V[]]; + unzip<T, U>(lists: List<[T, U]>): [T[], U[]]; + unzip<T>(lists: List<[T]>): [T[]]; // eslint-disable-line @definitelytyped/no-single-element-tuple-type + unzip<T>(lists: List<List<T>>): T[][]; + unzip(lists: List<List<any>>): any[][]; + unzip(): []; + transpose<T, U, V>(lists: List<[T, U, V]>): [T[], U[], V[]]; + transpose<T, U>(lists: List<[T, U]>): [T[], U[]]; + transpose<T>(lists: List<[T]>): [T[]]; // eslint-disable-line @definitelytyped/no-single-element-tuple-type + transpose<T>(lists: List<List<T>>): T[][]; + transpose(lists: List<List<any>>): any[][]; + transpose(): []; + + /** + * Converts lists into objects. Pass either a single `list` of + * [key, value] pairs, or a `list` of keys and a list of `values`. + * Passing by pairs is the reverse of pairs. If duplicate keys exist, + * the last value wins. + * @param list A list of [key, value] pairs or a list of keys. + * @param values If `list` is a list of keys, a list of values + * corresponding to those keys. + * @returns An object comprised of the provided keys and values. + */ + object<TList extends List<string | number>, TValue>( + list: TList, + values: List<TValue>, + ): Dictionary<TValue | undefined>; + object<TList extends List<List<any>>>( + list: TList, + ): Dictionary<PairValue<TypeOfList<TList>>>; + + /** + * Returns the index at which `value` can be found in `list`, or -1 if + * `value` is not present. If you're working with a large list and you + * know that the list is already sorted, pass true for + * `isSortedOrFromIndex` to use a faster binary search...or, pass a + * number in order to look for the first matching value in the list + * after the given index. + * @param list The list to search for the index of `value`. + * @param value The value to search for within `list`. + * @param isSortedOrFromIndex True if `list` is already sorted OR the + * starting index for the search, optional. + * @returns The index of the first occurrence of `value` within `list` + * or -1 if `value` is not found. + */ + indexOf<V extends List<any>>( + list: V, + value: TypeOfList<V>, + isSortedOrFromIndex?: boolean | number, + ): number; + + /** + * Returns the index of the last occurrence of `value` in `list`, or -1 + * if `value` is not present. Pass `fromIndex` to start your search at + * a given index. + * @param list The list to search for the last occurrence of `value`. + * @param value The value to search for within `list`. + * @param fromIndex The starting index for the search, optional. + * @returns The index of the last occurrence of `value` within `list` + * or -1 if `value` is not found. + */ + lastIndexOf<V extends List<any>>( + list: V, + value: TypeOfList<V>, + fromIndex?: number, + ): number; + + /** + * Returns the first index of an element in `list` where the `iteratee` + * truth test passes, otherwise returns -1. + * @param list The list to search for the index of the first element + * that passes the truth test. + * @param iteratee The truth test to apply. + * @param context `this` object in `iteratee`, optional. + * @returns The index of the first element in `list` where the + * truth test passes or -1 if no elements pass. + */ + findIndex<V extends List<any>>( + list: V, + iteratee?: Iteratee<V, boolean>, + context?: any, + ): number; + + /** + * Returns the last index of an element in `list` where the `iteratee` + * truth test passes, otherwise returns -1. + * @param list The list to search for the index of the last element + * that passes the truth test. + * @param iteratee The truth test to apply. + * @param context `this` object in `iteratee`, optional. + * @returns The index of the last element in `list` where the + * truth test passes or -1 if no elements pass. + */ + findLastIndex<V extends List<any>>( + list: V, + iteratee?: Iteratee<V, boolean>, + context?: any, + ): number; + + /** + * Uses a binary search to determine the lowest index at which the + * value should be inserted into `list` in order to maintain `list`'s + * sorted order. If an iteratee is provided, it will be used to compute + * the sort ranking of each value, including the value you pass. + * @param list A sorted list. + * @param value The value to determine an insert index for to mainain + * the sorting in `list`. + * @param iteratee Iteratee to compute the sort ranking of each + * element including `value`, optional. + * @param context `this` object in `iteratee`, optional. + * @returns The index where `value` should be inserted into `list`. + */ + sortedIndex<V extends List<any>>( + list: V, + value: TypeOfList<V>, + iteratee?: Iteratee<V | undefined, any>, + context?: any, + ): number; + + /** + * A function to create flexibly-numbered lists of integers, handy for + * `each` and `map` loops. Returns a list of integers from + * `startOrStop` (inclusive) to `stop` (exclusive), incremented + * (or decremented) by `step`. Note that ranges that `stop` before they + * `start` are considered to be zero-length instead of negative - if + * you'd like a negative range, use a negative `step`. + * + * If `stop` is not specified, `startOrStop` will be the number to stop + * at and the default start of 0 will be used. + * @param startOrStop If `stop` is specified, the number to start at. + * Otherwise, this is the number to stop at and the default start of 0 + * will be used. + * @param stop The number to stop at. + * @param step The number to count up by each iteration, optional, + * default = 1. + * @returns An array of numbers from start to `stop` with increments + * of `step`. + */ + range( + startOrStop: number, + stop?: number, + step?: number, + ): number[]; + + /** + * Chunks `list` into multiple arrays, each containing `length` or + * fewer items. + * @param list The list to chunk. + * @param length The maximum size of the chunks. + * @returns The contents of `list` in chunks no greater than `length` + * in size. + */ + chunk<V extends List<any>>(list: V, length: number): Array<Array<TypeOfList<V>>>; + + /************* + * Functions * + *************/ + + /** + * Bind a function to an object, meaning that whenever the function is called, the value of this will + * be the object. Optionally, bind arguments to the function to pre-fill them, also known as partial application. + * @param func The function to bind `this` to `object`. + * @param context The `this` pointer whenever `fn` is called. + * @param arguments Additional arguments to pass to `fn` when called. + * @return `fn` with `this` bound to `object`. + */ + bind( + func: Function, + context: any, + ...args: any[] + ): () => any; + + /** + * Binds a number of methods on the object, specified by methodNames, to be run in the context of that object + * whenever they are invoked. Very handy for binding functions that are going to be used as event handlers, + * which would otherwise be invoked with a fairly useless this. If no methodNames are provided, all of the + * object's function properties will be bound to it. + * @param object The object to bind the methods `methodName` to. + * @param methodNames The methods to bind to `object`, optional and if not provided all of `object`'s + * methods are bound. + */ + bindAll( + object: any, + ...methodNames: string[] + ): any; + + /** + * Partially apply a function by filling in any number of its arguments, without changing its dynamic this value. + * A close cousin of bind. You may pass _ in your list of arguments to specify an argument that should not be + * pre-filled, but left open to supply at call-time. + * @param fn Function to partially fill in arguments. + * @param arguments The partial arguments. + * @return `fn` with partially filled in arguments. + */ + + partial<T1, T2>( + fn: { (p1: T1): T2 }, + p1: T1, + ): { (): T2 }; + + partial<T1, T2, T3>( + fn: { (p1: T1, p2: T2): T3 }, + p1: T1, + ): { (p2: T2): T3 }; + + partial<T1, T2, T3>( + fn: { (p1: T1, p2: T2): T3 }, + p1: T1, + p2: T2, + ): { (): T3 }; + + partial<T1, T2, T3>( + fn: { (p1: T1, p2: T2): T3 }, + stub1: UnderscoreStatic, + p2: T2, + ): { (p1: T1): T3 }; + + partial<T1, T2, T3, T4>( + fn: { (p1: T1, p2: T2, p3: T3): T4 }, + p1: T1, + ): { (p2: T2, p3: T3): T4 }; + + partial<T1, T2, T3, T4>( + fn: { (p1: T1, p2: T2, p3: T3): T4 }, + p1: T1, + p2: T2, + ): { (p3: T3): T4 }; + + partial<T1, T2, T3, T4>( + fn: { (p1: T1, p2: T2, p3: T3): T4 }, + stub1: UnderscoreStatic, + p2: T2, + ): { (p1: T1, p3: T3): T4 }; + + partial<T1, T2, T3, T4>( + fn: { (p1: T1, p2: T2, p3: T3): T4 }, + p1: T1, + p2: T2, + p3: T3, + ): { (): T4 }; + + partial<T1, T2, T3, T4>( + fn: { (p1: T1, p2: T2, p3: T3): T4 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + ): { (p1: T1): T4 }; + + partial<T1, T2, T3, T4>( + fn: { (p1: T1, p2: T2, p3: T3): T4 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + ): { (p2: T2): T4 }; + + partial<T1, T2, T3, T4>( + fn: { (p1: T1, p2: T2, p3: T3): T4 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + ): { (p1: T1, p2: T2): T4 }; + + partial<T1, T2, T3, T4, T5>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4): T5 }, + p1: T1, + ): { (p2: T2, p3: T3, p4: T4): T5 }; + + partial<T1, T2, T3, T4, T5>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4): T5 }, + p1: T1, + p2: T2, + ): { (p3: T3, p4: T4): T5 }; + + partial<T1, T2, T3, T4, T5>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4): T5 }, + stub1: UnderscoreStatic, + p2: T2, + ): { (p1: T1, p3: T3, p4: T4): T5 }; + + partial<T1, T2, T3, T4, T5>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4): T5 }, + p1: T1, + p2: T2, + p3: T3, + ): { (p4: T4): T5 }; + + partial<T1, T2, T3, T4, T5>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4): T5 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + ): { (p1: T1, p4: T4): T5 }; + + partial<T1, T2, T3, T4, T5>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4): T5 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + ): { (p2: T2, p4: T4): T5 }; + + partial<T1, T2, T3, T4, T5>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4): T5 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + ): { (p1: T1, p2: T2, p4: T4): T5 }; + + partial<T1, T2, T3, T4, T5>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4): T5 }, + p1: T1, + p2: T2, + p3: T3, + p4: T4, + ): { (): T5 }; + + partial<T1, T2, T3, T4, T5>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4): T5 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + p4: T4, + ): { (p1: T1): T5 }; + + partial<T1, T2, T3, T4, T5>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4): T5 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + p4: T4, + ): { (p2: T2): T5 }; + + partial<T1, T2, T3, T4, T5>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4): T5 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + p4: T4, + ): { (p1: T1, p2: T2): T5 }; + + partial<T1, T2, T3, T4, T5>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4): T5 }, + p1: T1, + p2: T2, + stub3: UnderscoreStatic, + p4: T4, + ): { (p3: T3): T5 }; + + partial<T1, T2, T3, T4, T5>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4): T5 }, + stub1: UnderscoreStatic, + p2: T2, + stub3: UnderscoreStatic, + p4: T4, + ): { (p1: T1, p3: T3): T5 }; + + partial<T1, T2, T3, T4, T5>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4): T5 }, + p1: T1, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + p4: T4, + ): { (p2: T2, p3: T3): T5 }; + + partial<T1, T2, T3, T4, T5>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4): T5 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + p4: T4, + ): { (p1: T1, p2: T2, p3: T3): T5 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + p1: T1, + ): { (p2: T2, p3: T3, p4: T4, p5: T5): T6 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + p1: T1, + p2: T2, + ): { (p3: T3, p4: T4, p5: T5): T6 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + stub1: UnderscoreStatic, + p2: T2, + ): { (p1: T1, p3: T3, p4: T4, p5: T5): T6 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + p1: T1, + p2: T2, + p3: T3, + ): { (p4: T4, p5: T5): T6 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + ): { (p1: T1, p4: T4, p5: T5): T6 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + ): { (p2: T2, p4: T4, p5: T5): T6 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + ): { (p1: T1, p2: T2, p4: T4, p5: T5): T6 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + p1: T1, + p2: T2, + p3: T3, + p4: T4, + ): { (p5: T5): T6 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + p4: T4, + ): { (p1: T1, p5: T5): T6 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + p4: T4, + ): { (p2: T2, p5: T5): T6 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + p4: T4, + ): { (p1: T1, p2: T2, p5: T5): T6 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + p1: T1, + p2: T2, + stub3: UnderscoreStatic, + p4: T4, + ): { (p3: T3, p5: T5): T6 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + stub1: UnderscoreStatic, + p2: T2, + stub3: UnderscoreStatic, + p4: T4, + ): { (p1: T1, p3: T3, p5: T5): T6 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + p1: T1, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + p4: T4, + ): { (p2: T2, p3: T3, p5: T5): T6 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + p4: T4, + ): { (p1: T1, p2: T2, p3: T3, p5: T5): T6 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + p1: T1, + p2: T2, + p3: T3, + p4: T4, + p5: T5, + ): { (): T6 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + p4: T4, + p5: T5, + ): { (p1: T1): T6 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + p4: T4, + p5: T5, + ): { (p2: T2): T6 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + p4: T4, + p5: T5, + ): { (p1: T1, p2: T2): T6 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + p1: T1, + p2: T2, + stub3: UnderscoreStatic, + p4: T4, + p5: T5, + ): { (p3: T3): T6 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + stub1: UnderscoreStatic, + p2: T2, + stub3: UnderscoreStatic, + p4: T4, + p5: T5, + ): { (p1: T1, p3: T3): T6 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + p1: T1, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + p4: T4, + p5: T5, + ): { (p2: T2, p3: T3): T6 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + p4: T4, + p5: T5, + ): { (p1: T1, p2: T2, p3: T3): T6 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + p1: T1, + p2: T2, + p3: T3, + stub4: UnderscoreStatic, + p5: T5, + ): { (p4: T4): T6 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + stub4: UnderscoreStatic, + p5: T5, + ): { (p1: T1, p4: T4): T6 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + stub4: UnderscoreStatic, + p5: T5, + ): { (p2: T2, p4: T4): T6 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + stub4: UnderscoreStatic, + p5: T5, + ): { (p1: T1, p2: T2, p4: T4): T6 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + p1: T1, + p2: T2, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + p5: T5, + ): { (p3: T3, p4: T4): T6 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + stub1: UnderscoreStatic, + p2: T2, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + p5: T5, + ): { (p1: T1, p3: T3, p4: T4): T6 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + p1: T1, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + p5: T5, + ): { (p2: T2, p3: T3, p4: T4): T6 }; + + partial<T1, T2, T3, T4, T5, T6>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T6 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + p5: T5, + ): { (p1: T1, p2: T2, p3: T3, p4: T4): T6 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + ): { (p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + p2: T2, + ): { (p3: T3, p4: T4, p5: T5, p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + p2: T2, + ): { (p1: T1, p3: T3, p4: T4, p5: T5, p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + p2: T2, + p3: T3, + ): { (p4: T4, p5: T5, p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + ): { (p1: T1, p4: T4, p5: T5, p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + ): { (p2: T2, p4: T4, p5: T5, p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + ): { (p1: T1, p2: T2, p4: T4, p5: T5, p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + p2: T2, + p3: T3, + p4: T4, + ): { (p5: T5, p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + p4: T4, + ): { (p1: T1, p5: T5, p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + p4: T4, + ): { (p2: T2, p5: T5, p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + p4: T4, + ): { (p1: T1, p2: T2, p5: T5, p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + p2: T2, + stub3: UnderscoreStatic, + p4: T4, + ): { (p3: T3, p5: T5, p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + p2: T2, + stub3: UnderscoreStatic, + p4: T4, + ): { (p1: T1, p3: T3, p5: T5, p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + p4: T4, + ): { (p2: T2, p3: T3, p5: T5, p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + p4: T4, + ): { (p1: T1, p2: T2, p3: T3, p5: T5, p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + p2: T2, + p3: T3, + p4: T4, + p5: T5, + ): { (p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + p4: T4, + p5: T5, + ): { (p1: T1, p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + p4: T4, + p5: T5, + ): { (p2: T2, p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + p4: T4, + p5: T5, + ): { (p1: T1, p2: T2, p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + p2: T2, + stub3: UnderscoreStatic, + p4: T4, + p5: T5, + ): { (p3: T3, p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + p2: T2, + stub3: UnderscoreStatic, + p4: T4, + p5: T5, + ): { (p1: T1, p3: T3, p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + p4: T4, + p5: T5, + ): { (p2: T2, p3: T3, p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + p4: T4, + p5: T5, + ): { (p1: T1, p2: T2, p3: T3, p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + p2: T2, + p3: T3, + stub4: UnderscoreStatic, + p5: T5, + ): { (p4: T4, p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + stub4: UnderscoreStatic, + p5: T5, + ): { (p1: T1, p4: T4, p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + stub4: UnderscoreStatic, + p5: T5, + ): { (p2: T2, p4: T4, p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + stub4: UnderscoreStatic, + p5: T5, + ): { (p1: T1, p2: T2, p4: T4, p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + p2: T2, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + p5: T5, + ): { (p3: T3, p4: T4, p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + p2: T2, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + p5: T5, + ): { (p1: T1, p3: T3, p4: T4, p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + p5: T5, + ): { (p2: T2, p3: T3, p4: T4, p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + p5: T5, + ): { (p1: T1, p2: T2, p3: T3, p4: T4, p6: T6): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + p2: T2, + p3: T3, + p4: T4, + p5: T5, + p6: T6, + ): { (): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + p4: T4, + p5: T5, + p6: T6, + ): { (p1: T1): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + p4: T4, + p5: T5, + p6: T6, + ): { (p2: T2): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + p4: T4, + p5: T5, + p6: T6, + ): { (p1: T1, p2: T2): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + p2: T2, + stub3: UnderscoreStatic, + p4: T4, + p5: T5, + p6: T6, + ): { (p3: T3): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + p2: T2, + stub3: UnderscoreStatic, + p4: T4, + p5: T5, + p6: T6, + ): { (p1: T1, p3: T3): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + p4: T4, + p5: T5, + p6: T6, + ): { (p2: T2, p3: T3): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + p4: T4, + p5: T5, + p6: T6, + ): { (p1: T1, p2: T2, p3: T3): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + p2: T2, + p3: T3, + stub4: UnderscoreStatic, + p5: T5, + p6: T6, + ): { (p4: T4): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + stub4: UnderscoreStatic, + p5: T5, + p6: T6, + ): { (p1: T1, p4: T4): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + stub4: UnderscoreStatic, + p5: T5, + p6: T6, + ): { (p2: T2, p4: T4): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + stub4: UnderscoreStatic, + p5: T5, + p6: T6, + ): { (p1: T1, p2: T2, p4: T4): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + p2: T2, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + p5: T5, + p6: T6, + ): { (p3: T3, p4: T4): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + p2: T2, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + p5: T5, + p6: T6, + ): { (p1: T1, p3: T3, p4: T4): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + p5: T5, + p6: T6, + ): { (p2: T2, p3: T3, p4: T4): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + p5: T5, + p6: T6, + ): { (p1: T1, p2: T2, p3: T3, p4: T4): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + p2: T2, + p3: T3, + p4: T4, + stub5: UnderscoreStatic, + p6: T6, + ): { (p5: T5): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + p4: T4, + stub5: UnderscoreStatic, + p6: T6, + ): { (p1: T1, p5: T5): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + p4: T4, + stub5: UnderscoreStatic, + p6: T6, + ): { (p2: T2, p5: T5): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + p4: T4, + stub5: UnderscoreStatic, + p6: T6, + ): { (p1: T1, p2: T2, p5: T5): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + p2: T2, + stub3: UnderscoreStatic, + p4: T4, + stub5: UnderscoreStatic, + p6: T6, + ): { (p3: T3, p5: T5): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + p2: T2, + stub3: UnderscoreStatic, + p4: T4, + stub5: UnderscoreStatic, + p6: T6, + ): { (p1: T1, p3: T3, p5: T5): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + p4: T4, + stub5: UnderscoreStatic, + p6: T6, + ): { (p2: T2, p3: T3, p5: T5): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + p4: T4, + stub5: UnderscoreStatic, + p6: T6, + ): { (p1: T1, p2: T2, p3: T3, p5: T5): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + p2: T2, + p3: T3, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + p6: T6, + ): { (p4: T4, p5: T5): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + p6: T6, + ): { (p1: T1, p4: T4, p5: T5): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + p6: T6, + ): { (p2: T2, p4: T4, p5: T5): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + p6: T6, + ): { (p1: T1, p2: T2, p4: T4, p5: T5): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + p2: T2, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + p6: T6, + ): { (p3: T3, p4: T4, p5: T5): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + p2: T2, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + p6: T6, + ): { (p1: T1, p3: T3, p4: T4, p5: T5): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + p1: T1, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + p6: T6, + ): { (p2: T2, p3: T3, p4: T4, p5: T5): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T7 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + p6: T6, + ): { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T7 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + ): { (p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + ): { (p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + ): { (p1: T1, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + p3: T3, + ): { (p4: T4, p5: T5, p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + ): { (p1: T1, p4: T4, p5: T5, p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + ): { (p2: T2, p4: T4, p5: T5, p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + ): { (p1: T1, p2: T2, p4: T4, p5: T5, p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + p3: T3, + p4: T4, + ): { (p5: T5, p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + p4: T4, + ): { (p1: T1, p5: T5, p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + p4: T4, + ): { (p2: T2, p5: T5, p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + p4: T4, + ): { (p1: T1, p2: T2, p5: T5, p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + stub3: UnderscoreStatic, + p4: T4, + ): { (p3: T3, p5: T5, p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + stub3: UnderscoreStatic, + p4: T4, + ): { (p1: T1, p3: T3, p5: T5, p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + p4: T4, + ): { (p2: T2, p3: T3, p5: T5, p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + p4: T4, + ): { (p1: T1, p2: T2, p3: T3, p5: T5, p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + p3: T3, + p4: T4, + p5: T5, + ): { (p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + p4: T4, + p5: T5, + ): { (p1: T1, p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + p4: T4, + p5: T5, + ): { (p2: T2, p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + p4: T4, + p5: T5, + ): { (p1: T1, p2: T2, p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + stub3: UnderscoreStatic, + p4: T4, + p5: T5, + ): { (p3: T3, p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + stub3: UnderscoreStatic, + p4: T4, + p5: T5, + ): { (p1: T1, p3: T3, p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + p4: T4, + p5: T5, + ): { (p2: T2, p3: T3, p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + p4: T4, + p5: T5, + ): { (p1: T1, p2: T2, p3: T3, p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + p3: T3, + stub4: UnderscoreStatic, + p5: T5, + ): { (p4: T4, p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + stub4: UnderscoreStatic, + p5: T5, + ): { (p1: T1, p4: T4, p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + stub4: UnderscoreStatic, + p5: T5, + ): { (p2: T2, p4: T4, p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + stub4: UnderscoreStatic, + p5: T5, + ): { (p1: T1, p2: T2, p4: T4, p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + p5: T5, + ): { (p3: T3, p4: T4, p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + p5: T5, + ): { (p1: T1, p3: T3, p4: T4, p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + p5: T5, + ): { (p2: T2, p3: T3, p4: T4, p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + p5: T5, + ): { (p1: T1, p2: T2, p3: T3, p4: T4, p6: T6, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + p3: T3, + p4: T4, + p5: T5, + p6: T6, + ): { (p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + p4: T4, + p5: T5, + p6: T6, + ): { (p1: T1, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + p4: T4, + p5: T5, + p6: T6, + ): { (p2: T2, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + p4: T4, + p5: T5, + p6: T6, + ): { (p1: T1, p2: T2, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + stub3: UnderscoreStatic, + p4: T4, + p5: T5, + p6: T6, + ): { (p3: T3, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + stub3: UnderscoreStatic, + p4: T4, + p5: T5, + p6: T6, + ): { (p1: T1, p3: T3, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + p4: T4, + p5: T5, + p6: T6, + ): { (p2: T2, p3: T3, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + p4: T4, + p5: T5, + p6: T6, + ): { (p1: T1, p2: T2, p3: T3, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + p3: T3, + stub4: UnderscoreStatic, + p5: T5, + p6: T6, + ): { (p4: T4, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + stub4: UnderscoreStatic, + p5: T5, + p6: T6, + ): { (p1: T1, p4: T4, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + stub4: UnderscoreStatic, + p5: T5, + p6: T6, + ): { (p2: T2, p4: T4, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + stub4: UnderscoreStatic, + p5: T5, + p6: T6, + ): { (p1: T1, p2: T2, p4: T4, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + p5: T5, + p6: T6, + ): { (p3: T3, p4: T4, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + p5: T5, + p6: T6, + ): { (p1: T1, p3: T3, p4: T4, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + p5: T5, + p6: T6, + ): { (p2: T2, p3: T3, p4: T4, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + p5: T5, + p6: T6, + ): { (p1: T1, p2: T2, p3: T3, p4: T4, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + p3: T3, + p4: T4, + stub5: UnderscoreStatic, + p6: T6, + ): { (p5: T5, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + p4: T4, + stub5: UnderscoreStatic, + p6: T6, + ): { (p1: T1, p5: T5, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + p4: T4, + stub5: UnderscoreStatic, + p6: T6, + ): { (p2: T2, p5: T5, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + p4: T4, + stub5: UnderscoreStatic, + p6: T6, + ): { (p1: T1, p2: T2, p5: T5, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + stub3: UnderscoreStatic, + p4: T4, + stub5: UnderscoreStatic, + p6: T6, + ): { (p3: T3, p5: T5, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + stub3: UnderscoreStatic, + p4: T4, + stub5: UnderscoreStatic, + p6: T6, + ): { (p1: T1, p3: T3, p5: T5, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + p4: T4, + stub5: UnderscoreStatic, + p6: T6, + ): { (p2: T2, p3: T3, p5: T5, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + p4: T4, + stub5: UnderscoreStatic, + p6: T6, + ): { (p1: T1, p2: T2, p3: T3, p5: T5, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + p3: T3, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + p6: T6, + ): { (p4: T4, p5: T5, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + p6: T6, + ): { (p1: T1, p4: T4, p5: T5, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + p6: T6, + ): { (p2: T2, p4: T4, p5: T5, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + p6: T6, + ): { (p1: T1, p2: T2, p4: T4, p5: T5, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + p6: T6, + ): { (p3: T3, p4: T4, p5: T5, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + p6: T6, + ): { (p1: T1, p3: T3, p4: T4, p5: T5, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + p6: T6, + ): { (p2: T2, p3: T3, p4: T4, p5: T5, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + p6: T6, + ): { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p7: T7): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + p3: T3, + p4: T4, + p5: T5, + p6: T6, + p7: T7, + ): { (): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + p4: T4, + p5: T5, + p6: T6, + p7: T7, + ): { (p1: T1): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + p4: T4, + p5: T5, + p6: T6, + p7: T7, + ): { (p2: T2): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + p4: T4, + p5: T5, + p6: T6, + p7: T7, + ): { (p1: T1, p2: T2): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + stub3: UnderscoreStatic, + p4: T4, + p5: T5, + p6: T6, + p7: T7, + ): { (p3: T3): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + stub3: UnderscoreStatic, + p4: T4, + p5: T5, + p6: T6, + p7: T7, + ): { (p1: T1, p3: T3): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + p4: T4, + p5: T5, + p6: T6, + p7: T7, + ): { (p2: T2, p3: T3): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + p4: T4, + p5: T5, + p6: T6, + p7: T7, + ): { (p1: T1, p2: T2, p3: T3): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + p3: T3, + stub4: UnderscoreStatic, + p5: T5, + p6: T6, + p7: T7, + ): { (p4: T4): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + stub4: UnderscoreStatic, + p5: T5, + p6: T6, + p7: T7, + ): { (p1: T1, p4: T4): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + stub4: UnderscoreStatic, + p5: T5, + p6: T6, + p7: T7, + ): { (p2: T2, p4: T4): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + stub4: UnderscoreStatic, + p5: T5, + p6: T6, + p7: T7, + ): { (p1: T1, p2: T2, p4: T4): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + p5: T5, + p6: T6, + p7: T7, + ): { (p3: T3, p4: T4): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + p5: T5, + p6: T6, + p7: T7, + ): { (p1: T1, p3: T3, p4: T4): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + p5: T5, + p6: T6, + p7: T7, + ): { (p2: T2, p3: T3, p4: T4): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + p5: T5, + p6: T6, + p7: T7, + ): { (p1: T1, p2: T2, p3: T3, p4: T4): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + p3: T3, + p4: T4, + stub5: UnderscoreStatic, + p6: T6, + p7: T7, + ): { (p5: T5): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + p4: T4, + stub5: UnderscoreStatic, + p6: T6, + p7: T7, + ): { (p1: T1, p5: T5): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + p4: T4, + stub5: UnderscoreStatic, + p6: T6, + p7: T7, + ): { (p2: T2, p5: T5): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + p4: T4, + stub5: UnderscoreStatic, + p6: T6, + p7: T7, + ): { (p1: T1, p2: T2, p5: T5): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + stub3: UnderscoreStatic, + p4: T4, + stub5: UnderscoreStatic, + p6: T6, + p7: T7, + ): { (p3: T3, p5: T5): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + stub3: UnderscoreStatic, + p4: T4, + stub5: UnderscoreStatic, + p6: T6, + p7: T7, + ): { (p1: T1, p3: T3, p5: T5): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + p4: T4, + stub5: UnderscoreStatic, + p6: T6, + p7: T7, + ): { (p2: T2, p3: T3, p5: T5): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + p4: T4, + stub5: UnderscoreStatic, + p6: T6, + p7: T7, + ): { (p1: T1, p2: T2, p3: T3, p5: T5): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + p3: T3, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + p6: T6, + p7: T7, + ): { (p4: T4, p5: T5): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + p6: T6, + p7: T7, + ): { (p1: T1, p4: T4, p5: T5): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + p6: T6, + p7: T7, + ): { (p2: T2, p4: T4, p5: T5): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + p6: T6, + p7: T7, + ): { (p1: T1, p2: T2, p4: T4, p5: T5): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + p6: T6, + p7: T7, + ): { (p3: T3, p4: T4, p5: T5): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + p6: T6, + p7: T7, + ): { (p1: T1, p3: T3, p4: T4, p5: T5): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + p6: T6, + p7: T7, + ): { (p2: T2, p3: T3, p4: T4, p5: T5): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + p6: T6, + p7: T7, + ): { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + p3: T3, + p4: T4, + p5: T5, + stub6: UnderscoreStatic, + p7: T7, + ): { (p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + p4: T4, + p5: T5, + stub6: UnderscoreStatic, + p7: T7, + ): { (p1: T1, p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + p4: T4, + p5: T5, + stub6: UnderscoreStatic, + p7: T7, + ): { (p2: T2, p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + p4: T4, + p5: T5, + stub6: UnderscoreStatic, + p7: T7, + ): { (p1: T1, p2: T2, p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + stub3: UnderscoreStatic, + p4: T4, + p5: T5, + stub6: UnderscoreStatic, + p7: T7, + ): { (p3: T3, p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + stub3: UnderscoreStatic, + p4: T4, + p5: T5, + stub6: UnderscoreStatic, + p7: T7, + ): { (p1: T1, p3: T3, p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + p4: T4, + p5: T5, + stub6: UnderscoreStatic, + p7: T7, + ): { (p2: T2, p3: T3, p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + p4: T4, + p5: T5, + stub6: UnderscoreStatic, + p7: T7, + ): { (p1: T1, p2: T2, p3: T3, p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + p3: T3, + stub4: UnderscoreStatic, + p5: T5, + stub6: UnderscoreStatic, + p7: T7, + ): { (p4: T4, p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + stub4: UnderscoreStatic, + p5: T5, + stub6: UnderscoreStatic, + p7: T7, + ): { (p1: T1, p4: T4, p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + stub4: UnderscoreStatic, + p5: T5, + stub6: UnderscoreStatic, + p7: T7, + ): { (p2: T2, p4: T4, p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + stub4: UnderscoreStatic, + p5: T5, + stub6: UnderscoreStatic, + p7: T7, + ): { (p1: T1, p2: T2, p4: T4, p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + p5: T5, + stub6: UnderscoreStatic, + p7: T7, + ): { (p3: T3, p4: T4, p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + p5: T5, + stub6: UnderscoreStatic, + p7: T7, + ): { (p1: T1, p3: T3, p4: T4, p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + p5: T5, + stub6: UnderscoreStatic, + p7: T7, + ): { (p2: T2, p3: T3, p4: T4, p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + p5: T5, + stub6: UnderscoreStatic, + p7: T7, + ): { (p1: T1, p2: T2, p3: T3, p4: T4, p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + p3: T3, + p4: T4, + stub5: UnderscoreStatic, + stub6: UnderscoreStatic, + p7: T7, + ): { (p5: T5, p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + p4: T4, + stub5: UnderscoreStatic, + stub6: UnderscoreStatic, + p7: T7, + ): { (p1: T1, p5: T5, p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + p4: T4, + stub5: UnderscoreStatic, + stub6: UnderscoreStatic, + p7: T7, + ): { (p2: T2, p5: T5, p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + p4: T4, + stub5: UnderscoreStatic, + stub6: UnderscoreStatic, + p7: T7, + ): { (p1: T1, p2: T2, p5: T5, p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + stub3: UnderscoreStatic, + p4: T4, + stub5: UnderscoreStatic, + stub6: UnderscoreStatic, + p7: T7, + ): { (p3: T3, p5: T5, p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + stub3: UnderscoreStatic, + p4: T4, + stub5: UnderscoreStatic, + stub6: UnderscoreStatic, + p7: T7, + ): { (p1: T1, p3: T3, p5: T5, p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + p4: T4, + stub5: UnderscoreStatic, + stub6: UnderscoreStatic, + p7: T7, + ): { (p2: T2, p3: T3, p5: T5, p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + p4: T4, + stub5: UnderscoreStatic, + stub6: UnderscoreStatic, + p7: T7, + ): { (p1: T1, p2: T2, p3: T3, p5: T5, p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + p3: T3, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + stub6: UnderscoreStatic, + p7: T7, + ): { (p4: T4, p5: T5, p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + p3: T3, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + stub6: UnderscoreStatic, + p7: T7, + ): { (p1: T1, p4: T4, p5: T5, p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + p3: T3, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + stub6: UnderscoreStatic, + p7: T7, + ): { (p2: T2, p4: T4, p5: T5, p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + p3: T3, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + stub6: UnderscoreStatic, + p7: T7, + ): { (p1: T1, p2: T2, p4: T4, p5: T5, p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + p2: T2, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + stub6: UnderscoreStatic, + p7: T7, + ): { (p3: T3, p4: T4, p5: T5, p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + p2: T2, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + stub6: UnderscoreStatic, + p7: T7, + ): { (p1: T1, p3: T3, p4: T4, p5: T5, p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + p1: T1, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + stub6: UnderscoreStatic, + p7: T7, + ): { (p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T8 }; + + partial<T1, T2, T3, T4, T5, T6, T7, T8>( + fn: { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6, p7: T7): T8 }, + stub1: UnderscoreStatic, + stub2: UnderscoreStatic, + stub3: UnderscoreStatic, + stub4: UnderscoreStatic, + stub5: UnderscoreStatic, + stub6: UnderscoreStatic, + p7: T7, + ): { (p1: T1, p2: T2, p3: T3, p4: T4, p5: T5, p6: T6): T8 }; + + /** + * Memoizes a given function by caching the computed result. Useful for speeding up slow-running computations. + * If passed an optional hashFunction, it will be used to compute the hash key for storing the result, based + * on the arguments to the original function. The default hashFunction just uses the first argument to the + * memoized function as the key. + * @param fn Computationally expensive function that will now memoized results. + * @param hashFn Hash function for storing the result of `fn`. + * @return Memoized version of `fn`. + */ + memoize<T = Function>( + fn: T, + hashFn?: (...args: any[]) => string, + ): T; + + /** + * Much like setTimeout, invokes function after wait milliseconds. If you pass the optional arguments, + * they will be forwarded on to the function when it is invoked. + * @param func Function to delay `waitMS` amount of ms. + * @param wait The amount of milliseconds to delay `fn`. + * @param args Additional arguments to pass to `fn`. + */ + delay( + func: Function, + wait: number, + ...args: any[] + ): any; + + /** + * @see _delay + */ + delay( + func: Function, + ...args: any[] + ): any; + + /** + * Defers invoking the function until the current call stack has cleared, similar to using setTimeout + * with a delay of 0. Useful for performing expensive computations or HTML rendering in chunks without + * blocking the UI thread from updating. If you pass the optional arguments, they will be forwarded on + * to the function when it is invoked. + * @param fn The function to defer. + * @param arguments Additional arguments to pass to `fn`. + */ + defer( + fn: Function, + ...args: any[] + ): void; + + /** + * Creates and returns a new, throttled version of the passed function, that, when invoked repeatedly, + * will only actually call the original function at most once per every wait milliseconds. Useful for + * rate-limiting events that occur faster than you can keep up with. + * By default, throttle will execute the function as soon as you call it for the first time, and, + * if you call it again any number of times during the wait period, as soon as that period is over. + * If you'd like to disable the leading-edge call, pass {leading: false}, and if you'd like to disable + * the execution on the trailing-edge, pass {trailing: false}. + * @param func Function to throttle `waitMS` ms. + * @param wait The number of milliseconds to wait before `fn` can be invoked again. + * @param options Allows for disabling execution of the throttled function on either the leading or trailing edge. + * @return `fn` with a throttle of `wait`. + */ + throttle<T extends Function>( + func: T, + wait: number, + options?: _.ThrottleSettings, + ): T & _.Cancelable; + + /** + * Creates and returns a new debounced version of the passed function that will postpone its execution + * until after wait milliseconds have elapsed since the last time it was invoked. Useful for implementing + * behavior that should only happen after the input has stopped arriving. For example: rendering a preview + * of a Markdown comment, recalculating a layout after the window has stopped being resized, and so on. + * + * Pass true for the immediate parameter to cause debounce to trigger the function on the leading instead + * of the trailing edge of the wait interval. Useful in circumstances like preventing accidental double + * -clicks on a "submit" button from firing a second time. + * @param fn Function to debounce `waitMS` ms. + * @param wait The number of milliseconds to wait before `fn` can be invoked again. + * @param immediate True if `fn` should be invoked on the leading edge of `waitMS` instead of the trailing edge. + * @return Debounced version of `fn` that waits `wait` ms when invoked. + */ + debounce<T extends Function>( + fn: T, + wait: number, + immediate?: boolean, + ): T & _.Cancelable; + + /** + * Creates a version of the function that can only be called one time. Repeated calls to the modified + * function will have no effect, returning the value from the original call. Useful for initialization + * functions, instead of having to set a boolean flag and then check it later. + * @param fn Function to only execute once. + * @return Copy of `fn` that can only be invoked once. + */ + once<T extends Function>(fn: T): T; + + /** + * Similar to ES6's rest param (http://ariya.ofilabs.com/2013/03/es6-and-rest-parameter.html) + * This accumulates the arguments passed into an array, after a given index. + */ + restArgs(func: Function, starIndex?: number): Function; + + /** + * Creates a version of the function that will only be run after first being called count times. Useful + * for grouping asynchronous responses, where you want to be sure that all the async calls have finished, + * before proceeding. + * @param number count Number of times to be called before actually executing. + * @param Function fn The function to defer execution `count` times. + * @return Copy of `fn` that will not execute until it is invoked `count` times. + */ + after( + count: number, + fn: Function, + ): Function; + + /** + * Creates a version of the function that can be called no more than count times. The result of + * the last function call is memoized and returned when count has been reached. + * @param number count The maxmimum number of times the function can be called. + * @param Function fn The function to limit the number of times it can be called. + * @return Copy of `fn` that can only be called `count` times. + */ + before( + count: number, + fn: Function, + ): Function; + + /** + * Wraps the first function inside of the wrapper function, passing it as the first argument. This allows + * the wrapper to execute code before and after the function runs, adjust the arguments, and execute it + * conditionally. + * @param fn Function to wrap. + * @param wrapper The function that will wrap `fn`. + * @return Wrapped version of `fn. + */ + wrap( + fn: Function, + wrapper: (fn: Function, ...args: any[]) => any, + ): Function; + + /** + * Returns a negated version of the pass-in predicate. + * @param (...args: any[]) => boolean predicate + * @return (...args: any[]) => boolean + */ + negate(predicate: (...args: any[]) => boolean): (...args: any[]) => boolean; + + /** + * Returns the composition of a list of functions, where each function consumes the return value of the + * function that follows. In math terms, composing the functions f(), g(), and h() produces f(g(h())). + * @param functions List of functions to compose. + * @return Composition of `functions`. + */ + compose(...functions: Function[]): Function; + + /*********** + * Objects * + ***********/ + + /** + * Retrieve all the names of the object's properties. + * @param object Retrieve the key or property names from this object. + * @return List of all the property names on `object`. + */ + keys(object: any): string[]; + + /** + * Retrieve all the names of object's own and inherited properties. + * @param object Retrieve the key or property names from this object. + * @return List of all the property names on `object`. + */ + allKeys(object: any): string[]; + + /** + * Return all of the values of the object's properties. + * @param object Retrieve the values of all the properties on this object. + * @return List of all the values on `object`. + */ + values<T>(object: _.Dictionary<T>): T[]; + + /** + * Return all of the values of the object's properties. + * @param object Retrieve the values of all the properties on this object. + * @return List of all the values on `object`. + */ + values(object: any): any[]; + + /** + * Like map, but for objects. Transform the value of each property in + * turn. + * @param object The object to transform. + * @param iteratee The iteratee to use to transform property values. + * @param context `this` object in `iteratee`, optional. + * @returns A new object with all of `object`'s property values + * transformed through `iteratee`. + */ + mapObject<V extends object, I extends Iteratee<V, any, TypeOfCollection<V, any>>>( + object: V, + iteratee: I, + context?: any, + ): { [K in keyof V]: IterateeResult<I, V[K]> }; + + /** + * Converts `object` into a list of [key, value] pairs. The opposite + * of the single-argument signature of `_.object`. + * @param object The object to convert. + * @returns The list of [key, value] pairs from `object`. + */ + pairs<V extends object>( + object: V, + ): Array<[Extract<keyof V, string>, TypeOfCollection<V, any>]>; + + /** + * Returns a copy of the object where the keys have become the values and the values the keys. + * For this to work, all of your object's values should be unique and string serializable. + * @param object Object to invert key/value pairs. + * @return An inverted key/value paired version of `object`. + */ + invert(object: any): any; + + /** + * Returns a sorted list of the names of every method in an object - that is to say, + * the name of every function property of the object. + * @param object Object to pluck all function property names from. + * @return List of all the function names on `object`. + */ + functions(object: any): string[]; + + /** + * @see _functions + */ + methods(object: any): string[]; + + /** + * Copy all of the properties in the source objects over to the destination object, and return + * the destination object. It's in-order, so the last source will override properties of the + * same name in previous arguments. + * @param destination Object to extend all the properties from `sources`. + * @param sources Extends `destination` with all properties from these source objects. + * @return `destination` extended with all the properties from the `sources` objects. + */ + extend( + destination: any, + ...sources: any[] + ): any; + + /** + * Like extend, but only copies own properties over to the destination object. (alias: assign) + */ + extendOwn( + destination: any, + ...source: any[] + ): any; + + /** + * Like extend, but only copies own properties over to the destination object. (alias: extendOwn) + */ + assign( + destination: any, + ...source: any[] + ): any; + + /** + * Similar to `findIndex` but for keys in objects. Returns the key + * where the `iteratee` truth test passes or undefined. + * @param object The object to search. + * @param iteratee The truth test to apply. + * @param context `this` object in `iteratee`, optional. + * @returns The first element in `object` that passes the truth test or + * undefined if no elements pass. + */ + findKey<V extends object>( + object: V, + iteratee?: Iteratee<V, boolean, TypeOfCollection<V, any>>, + context?: any, + ): Extract<keyof V, string> | undefined; + + /** + * Return a copy of `object` that is filtered to only have values for + * the allowed keys (or array of keys). + * @param object The object to pick specific keys in. + * @param keys The keys to keep on `object`. + * @returns A copy of `object` with only the `keys` properties. + */ + pick<V, K extends string>( + object: V, + ...keys: Array<K | K[]> + ): _Pick<V, K>; + + /** + * Return a copy of `object` that is filtered to only have values for + * the keys selected by a truth test. + * @param object The object to pick specific keys in. + * @param iterator A truth test that selects the keys to keep on + * `object`. + * @returns A copy of `object` with only the keys selected by + * `iterator`. + */ + pick<V>( + object: V, + iterator: ObjectIterator<TypeOfDictionary<V, any>, boolean, V>, + ): Partial<V>; + + /** + * Return a copy of `object` that is filtered to omit the disallowed + * keys (or array of keys). + * @param object The object to omit specific keys from. + * @param keys The keys to omit from `object`. + * @returns A copy of `object` without the `keys` properties. + */ + omit<V, K extends string>( + object: V, + ...keys: Array<K | K[]> + ): _Omit<V, K>; + + /** + * Return a copy of `object` that is filtered to not have values for + * the keys selected by a truth test. + * @param object The object to omit specific keys from. + * @param iterator A truth test that selects the keys to omit from + * `object`. + * @returns A copy of `object` without the keys selected by + * `iterator`. + */ + omit<V>( + object: V, + iterator: ObjectIterator<TypeOfDictionary<V, any>, boolean, V>, + ): Partial<V>; + + /** + * Fill in null and undefined properties in object with values from the defaults objects, + * and return the object. As soon as the property is filled, further defaults will have no effect. + * @param object Fill this object with default values. + * @param defaults The default values to add to `object`. + * @return `object` with added `defaults` values. + */ + defaults( + object: any, + ...defaults: any[] + ): any; + + /** + * Creates an object that inherits from the given prototype object. + * If additional properties are provided then they will be added to the + * created object. + * @param prototype The prototype that the returned object will inherit from. + * @param props Additional props added to the returned object. + */ + create(prototype: any, props?: object): any; + + /** + * Create a shallow-copied clone of the object. + * Any nested objects or arrays will be copied by reference, not duplicated. + * @param object Object to clone. + * @return Copy of `object`. + */ + clone<T>(object: T): T; + + /** + * Invokes interceptor with the object, and then returns object. The primary purpose of this method + * is to "tap into" a method chain, in order to perform operations on intermediate results within the chain. + * @param object Argument to `interceptor`. + * @param intercepter The function to modify `object` before continuing the method chain. + * @return Modified `object`. + */ + tap<T>(object: T, intercepter: Function): T; + + /** + * Does the object contain the given key? Identical to object.hasOwnProperty(key), but uses a safe + * reference to the hasOwnProperty function, in case it's been overridden accidentally. + * @param object Object to check for `key`. + * @param key The key to check for on `object`. + * @return True if `key` is a property on `object`, otherwise false. + */ + has(object: any, key: string): boolean; + + /** + * Returns a predicate function that will tell you if a passed in object contains all of the key/value properties present in attrs. + * @param attrs Object with key values pair + * @return Predicate function + */ + matches<T>(attrs: T): _.Predicate<T>; + + /** + * Returns a predicate function that will tell you if a passed in object contains all of the key/value properties present in attrs. + * @see _.matches + * @param attrs Object with key values pair + * @return Predicate function + */ + matcher<T>(attrs: T): _.Predicate<T>; + + /** + * Returns the specified property of `object`. `path` may be specified + * as a simple key, or as an array of object keys or array indexes, + * for deep property fetching. If the property does not exist or is `undefined`, + * the optional default is returned. + * @param object The object that maybe contains the property. + * @param path The path to the property on `object`. + * @param defaultValue Default if not found. + * @returns The item on the `object` or the `defaultValue` + */ + get( + object: null | undefined, + path: string | string[], + ): undefined; + get<U>( + object: null | undefined, + path: string | string[], + defaultValue?: U, + ): U; + get<V extends Collection<any>>( + object: V, + path: string, + ): TypeOfCollection<V> | undefined; + get<V extends Collection<any>, U>( + object: V, + path: string, + defaultValue?: U, + ): TypeOfCollection<V> | U; + get<V extends Collection<any>, P extends Array<string | number>, U = undefined>( + object: V, + // eslint-disable-next-line @definitelytyped/no-single-element-tuple-type + path: readonly [...P], + defaultValue?: U, + ): DeepTypeOfCollection<V, P> | U; + + /** + * Returns a function that will itself return the key property of any passed-in object. + * @param key Property of the object. + * @return Function which accept an object an returns the value of key in that object. + */ + property(key: string | number | Array<string | number>): (object: any) => any; + + /** + * Returns a function that will itself return the value of a object key property. + * @param key The object to get the property value from. + * @return Function which accept a key property in `object` and returns its value. + */ + propertyOf(object: object): (key: string | number | Array<string | number>) => any; + + /** + * Performs an optimized deep comparison between `object` and `other` + * to determine if they should be considered equal. + * @param object Compare to `other`. + * @param other Compare to `object`. + * @returns True if `object` should be considered equal to `other`. + */ + isEqual(object: any, other: any): boolean; + + /** + * Returns true if `collection` contains no values. + * For strings and array-like objects checks if the length property is + * 0. + * @param collection The collection to check. + * @returns True if `collection` has no elements. + */ + isEmpty(collection: any): boolean; + + /** + * Returns true if the keys and values in `properties` are contained in + * `object`. + * @param object The object to check. + * @param properties The properties to check for in `object`. + * @returns True if all keys and values in `properties` are also in + * `object`. + */ + isMatch(object: any, properties: any): boolean; + + /** + * Returns true if `object` is a DOM element. + * @param object The object to check. + * @returns True if `object` is a DOM element, otherwise false. + */ + isElement(object: any): object is Element; + + /** + * Returns true if `object` is an Array. + * @param object The object to check. + * @returns True if `object` is an Array, otherwise false. + */ + isArray(object: any): object is any[]; + + /** + * Returns true if `object` is an ArrayBuffer. + * @param object The object to check. + * @returns True if `object` is an ArrayBuffer, otherwise false. + */ + isArrayBuffer(object: any): object is ArrayBuffer; + + /** + * Returns true if `object` is a DataView. + * @param object The object to check. + * @returns True if `object` is a DataView, otherwise false. + */ + isDataView(object: any): object is DataView; + + /** + * Returns true if `object` is a TypedArray. + * @param object The object to check. + * @returns True if `object` is a TypedArray, otherwise false. + */ + isTypedArray(object: any): object is TypedArray; + + /** + * Returns true if `object` is a Symbol. + * @param object The object to check. + * @returns True if `object` is a Symbol, otherwise false. + */ + isSymbol(object: any): object is symbol; + + /** + * Returns true if `object` is an Object. Note that JavaScript arrays + * and functions are objects, + * while (normal) strings and numbers are not. + * @param object The object to check. + * @returns True if `object` is an Object, otherwise false. + */ + isObject(object: any): object is Dictionary<any> & object; + + /** + * Returns true if `object` is an Arguments object. + * @param object The object to check. + * @returns True if `object` is an Arguments object, otherwise false. + */ + isArguments(object: any): object is IArguments; + + /** + * Returns true if `object` is a Function. + * @param object The object to check. + * @returns True if `object` is a Function, otherwise false. + */ + isFunction(object: any): object is Function; + + /** + * Returns true if `object` is an Error. + * @param object The object to check. + * @returns True if `object` is a Error, otherwise false. + */ + isError(object: any): object is Error; + + /** + * Returns true if `object` is a String. + * @param object The object to check. + * @returns True if `object` is a String, otherwise false. + */ + isString(object: any): object is string; + + /** + * Returns true if `object` is a Number (including NaN). + * @param object The object to check. + * @returns True if `object` is a Number, otherwise false. + */ + isNumber(object: any): object is number; + + /** + * Returns true if `object` is a finite Number. + * @param object The object to check. + * @returns True if `object` is a finite Number. + */ + isFinite(object: any): boolean; + + /** + * Returns true if `object` is a Boolean. + * @param object The object to check. + * @returns True if `object` is a Boolean, otherwise false. + */ + isBoolean(object: any): object is boolean; + + /** + * Returns true if `object` is a Date. + * @param object The object to check. + * @returns True if `object` is a Date, otherwise false. + */ + isDate(object: any): object is Date; + + /** + * Returns true if `object` is a RegExp. + * @param object The object to check. + * @returns True if `object` is a RegExp, otherwise false. + */ + isRegExp(object: any): object is RegExp; + + /** + * Returns true if `object` is NaN. + * Note: this is not the same as the native isNaN function, + * which will also return true if the variable is undefined. + * @param object The object to check. + * @returns True if `object` is NaN, otherwise false. + */ + isNaN(object: any): boolean; + + /** + * Returns true if `object` is null. + * @param object The object to check. + * @returns True if `object` is null, otherwise false. + */ + isNull(object: any): object is null; + + /** + * Returns true if `object` is undefined. + * @param object The object to check. + * @returns True if `object` is undefined, otherwise false. + */ + isUndefined(object: any): object is undefined; + + /*********** + * Utility * + ***********/ + + /** + * Give control of the "_" variable back to its previous owner. + * Returns a reference to the Underscore object. + * @return Underscore object reference. + */ + noConflict(): any; + + /** + * Returns the same value that is used as the argument. In math: f(x) = x + * This function looks useless, but is used throughout Underscore as a default iterator. + * @param value Identity of this object. + * @return `value`. + */ + identity<T>(value: T): T; + + /** + * Creates a function that returns the same value that is used as the argument of _.constant + * @param value Identity of this object. + * @return Function that return value. + */ + constant<T>(value: T): () => T; + + /** + * Returns undefined irrespective of the arguments passed to it. Useful as the default + * for optional callback arguments. + * Note there is no way to indicate a 'undefined' return, so it is currently typed as void. + * @return undefined + */ + noop(): void; + + /** + * Invokes the given iterator function n times. + * Each invocation of iterator is called with an index argument + * @param n Number of times to invoke `iterator`. + * @param iterator Function iterator to invoke `n` times. + * @param context `this` object in `iterator`, optional. + */ + times<TResult>(n: number, iterator: (n: number) => TResult, context?: any): TResult[]; + + /** + * Returns a random integer between min and max, inclusive. If you only pass one argument, + * it will return a number between 0 and that number. + * @param max The maximum random number. + * @return A random number between 0 and `max`. + */ + random(max: number): number; + + /** + * @see _.random + * @param min The minimum random number. + * @return A random number between `min` and `max`. + */ + random(min: number, max: number): number; + + /** + * Allows you to extend Underscore with your own utility functions. Pass a hash of + * {name: function} definitions to have your functions added to the Underscore object, + * as well as the OOP wrapper. + * @param object Mixin object containing key/function pairs to add to the Underscore object. + */ + mixin(object: any): void; + + /** + * A mostly-internal function to generate callbacks that can be applied to each element + * in a collection, returning the desired result -- either identity, an arbitrary callback, + * a property matcher, or a propetery accessor. + * @param string|Function|Object value The value to iterate over, usually the key. + * @param any context + * @return Callback that can be applied to each element in a collection. + */ + iteratee(value: string): Function; + iteratee(value: Function, context?: any): Function; + iteratee(value: object): Function; + + /** + * Generate a globally-unique id for client-side models or DOM elements that need one. + * If prefix is passed, the id will be appended to it. Without prefix, returns an integer. + * @param prefix A prefix string to start the unique ID with. + * @return Unique string ID beginning with `prefix`. + */ + uniqueId(prefix?: string): string; + + /** + * Escapes a string for insertion into HTML, replacing &, <, >, ", ', and / characters. + * @param str Raw string to escape. + * @return `str` HTML escaped. + */ + escape(str: string): string; + + /** + * The opposite of escape, replaces &, <, >, ", and ' with their unescaped counterparts. + * @param str HTML escaped string. + * @return `str` Raw string. + */ + unescape(str: string): string; + + /** + * If the value of the named property is a function then invoke it; otherwise, return it. + * @param object Object to maybe invoke function `property` on. + * @param property The function by name to invoke on `object`. + * @param defaultValue The value to be returned in case `property` doesn't exist or is undefined. + * @return The result of invoking the function `property` on `object. + */ + result(object: any, property: string, defaultValue?: any): any; + + /** + * Compiles JavaScript templates into functions that can be evaluated for rendering. Useful + * for rendering complicated bits of HTML from JSON data sources. Template functions can both + * interpolate variables, using <%= ... %>, as well as execute arbitrary JavaScript code, with + * <% ... %>. If you wish to interpolate a value, and have it be HTML-escaped, use <%- ... %> When + * you evaluate a template function, pass in a data object that has properties corresponding to + * the template's free variables. If you're writing a one-off, you can pass the data object as + * the second parameter to template in order to render immediately instead of returning a template + * function. The settings argument should be a hash containing any _.templateSettings that should + * be overridden. + * @param templateString Underscore HTML template. + * @param data Data to use when compiling `templateString`. + * @param settings Settings to use while compiling. + * @return Returns the compiled Underscore HTML template. + */ + template(templateString: string, settings?: _.TemplateSettings): CompiledTemplate; + + /** + * By default, Underscore uses ERB-style template delimiters, change the + * following template settings to use alternative delimiters. + */ + templateSettings: _.TemplateSettings; + + /** + * Returns an integer timestamp for the current time, using the fastest method available in the runtime. Useful for implementing timing/animation functions. + */ + now(): number; + + /************ + * Chaining * + ************/ + + /** + * Returns a wrapped object. Calling methods on this object will + * continue to return wrapped objects until value() is used. + * @param value The object to chain. + * @returns An underscore chain wrapper around the supplied value. + */ + chain<V>(value: V): _Chain<TypeOfCollection<V>, V>; + + /** + * Current version + */ + readonly VERSION: string; + } + + interface Underscore<T, V = T[]> { + /*************** + * Collections * + ***************/ + + /** + * Iterates over the wrapped collection of elements, yielding each in + * turn to an `iteratee`. The `iteratee` is bound to the context object, + * if one is passed. + * @param iteratee The iteratee to call for each element in the wrapped + * collection. + * @param context 'this' object in `iteratee`, optional. + * @returns The originally wrapped collection. + */ + each( + iteratee: CollectionIterator<TypeOfCollection<V>, void, V>, + context?: any, + ): V; + + /** + * @see each + */ + forEach: Underscore<T, V>["each"]; + + /** + * Produces a new array of values by mapping each value in the wrapped + * collection through a transformation `iteratee`. + * @param iteratee The iteratee to use to transform each item in the + * wrapped collection. + * @param context `this` object in `iteratee`, optional. + * @returns The mapped result. + */ + map<I extends Iteratee<V, any>>( + iteratee: I, + context?: any, + ): Array<IterateeResult<I, T>>; + + /** + * @see map + */ + collect: Underscore<T, V>["map"]; + + /** + * Also known as inject and foldl, reduce boils down the wrapped + * collection of values into a single value. `memo` is the initial + * state of the reduction, and each successive step of it should be + * returned by `iteratee`. + * + * If no memo is passed to the initial invocation of reduce, `iteratee` + * is not invoked on the first element of the wrapped collection. The + * first element is instead passed as the memo in the invocation of + * `iteratee` on the next element in the wrapped collection. + * @param iteratee The function to call on each iteration to reduce the + * collection. + * @param memo The initial reduce state or undefined to use the first + * item in `collection` as initial state. + * @param context `this` object in `iteratee`, optional. + * @returns The reduced result. + */ + reduce<TResult>( + iteratee: MemoCollectionIterator<TypeOfCollection<V>, TResult, V>, + memo: TResult, + context?: any, + ): TResult; + reduce<TResult = TypeOfCollection<V>>( + iteratee: MemoCollectionIterator<TypeOfCollection<V>, TResult | TypeOfCollection<V>, V>, + ): TResult | TypeOfCollection<V> | undefined; + + /** + * @see reduce + */ + inject: Underscore<T, V>["reduce"]; + + /** + * @see reduce + */ + foldl: Underscore<T, V>["reduce"]; + + /** + * The right-associative version of reduce. + * + * This is not as useful in JavaScript as it would be in a language + * with lazy evaluation. + * @param iteratee The function to call on each iteration to reduce the + * collection. + * @param memo The initial reduce state or undefined to use the first + * item in `collection` as the initial state. + * @param context `this` object in `iteratee`, optional. + * @returns The reduced result. + */ + reduceRight<TResult>( + iteratee: MemoCollectionIterator<TypeOfCollection<V>, TResult, V>, + memo: TResult, + context?: any, + ): TResult; + reduceRight<TResult = TypeOfCollection<V>>( + iteratee: MemoCollectionIterator<TypeOfCollection<V>, TResult | TypeOfCollection<V>, V>, + ): TResult | TypeOfCollection<V> | undefined; + + /** + * @see reduceRight + */ + foldr: Underscore<T, V>["reduceRight"]; + + /** + * Looks through each value in the wrapped collection, returning the + * first one that passes a truth test (`iteratee`), or undefined if no + * value passes the test. The function returns as soon as it finds an + * acceptable element, and doesn't traverse the entire collection. + * @param iteratee The truth test to apply. + * @param context `this` object in `iteratee`, optional. + * @returns The first element in the wrapped collection that passes the + * truth test or undefined if no elements pass. + */ + find(iteratee?: Iteratee<V, boolean>, context?: any): T | undefined; + + /** + * @see find + */ + detect: Underscore<T, V>["find"]; + + /** + * Looks through each value in the wrapped collection, returning an + * array of all the values that pass a truth test (`iteratee`). + * @param iteratee The truth test to apply. + * @param context `this` object in `iteratee`, optional. + * @returns The set of values that pass the truth test. + */ + filter(iteratee?: Iteratee<V, boolean>, context?: any): T[]; + + /** + * @see filter + */ + select: Underscore<T, V>["filter"]; + + /** + * Looks through each value in the wrapped collection, returning an + * array of all the elements that match the key-value pairs listed in + * `properties`. + * @param properties The properties to check for on the elements within + * the wrapped collection. + * @returns The elements in the wrapped collection that match + * `properties`. + */ + where(properties: Partial<T>): T[]; + + /** + * Looks through the wrapped collection and returns the first value + * that matches all of the key-value pairs listed in `properties`. If + * no match is found, or if list is empty, undefined will be returned. + * @param properties The properties to check for on the elements within + * the wrapped collection. + * @returns The first element in the wrapped collection that matches + * `properties` or undefined if no match is found. + */ + findWhere(properties: Partial<T>): T | undefined; + + /** + * Returns the values in the wrapped collection without the elements + * that pass a truth test (`iteratee`). + * The opposite of filter. + * @param iteratee The truth test to apply. + * @param context `this` object in `iteratee`, optional. + * @returns The set of values that fail the truth test. + */ + reject(iteratee?: Iteratee<V, boolean>, context?: any): T[]; + + /** + * Returns true if all of the values in the wrapped collection pass the + * `iteratee` truth test. Short-circuits and stops traversing the + * wrapped collection if a false element is found. + * @param iteratee The truth test to apply. + * @param context `this` object in `iteratee`, optional. + * @returns True if all elements pass the truth test, otherwise false. + */ + every(iteratee?: Iteratee<V, boolean>, context?: any): boolean; + + /** + * @see every + */ + all: Underscore<T, V>["every"]; + + /** + * Returns true if any of the values in the wrapped collection pass the + * `iteratee` truth test. Short-circuits and stops traversing the + * wrapped collection if a true element is found. + * @param iteratee The truth test to apply. + * @param context `this` object in `iteratee`, optional. + * @returns True if any element passed the truth test, otherwise false. + */ + some(iteratee?: Iteratee<V, boolean>, context?: any): boolean; + + /** + * @see some + */ + any: Underscore<T, V>["some"]; + + /** + * Returns true if the value is present in the wrapped collection. Uses + * indexOf internally, if the wrapped collection is a List. Use + * `fromIndex` to start your search at a given index. + * @param value The value to check the wrapped collection for. + * @param fromIndex The index to start searching from, optional, + * default = 0, only used when the wrapped collection is a List. + * @returns True if `value` is present in the wrapped collection after + * `fromIndex`, otherwise false. + */ + contains(value: any, fromIndex?: number): boolean; + + /** + * @see contains + */ + include: Underscore<T, V>["contains"]; + + /** + * @see contains + */ + includes: Underscore<T, V>["contains"]; + + /** + * Calls the method named by `methodName` on each value in the wrapped + * collection. Any extra arguments passed to invoke will be forwarded + * on to the method invocation. + * @param methodName The name of the method to call on each element in + * the wrapped collection. + * @param args Additional arguments to pass to method `methodName`. + * @returns An array containing the result of the method call for each + * item in the wrapped collection. + */ + invoke(methodName: string, ...args: any[]): any[]; + + /** + * A convenient version of what is perhaps the most common use-case for + * map: extracting a list of property values. + * @param propertyName The name of a specific property to retrieve from + * all items in the wrapped collection. + * @returns The set of values for the specified `propertyName` for each + * item in the wrapped collection. + */ + pluck<K extends string | number>( + propertyName: K, + ): Array<PropertyTypeOrAny<T, K>>; + + /** + * Returns the maximum value in the wrapped collection. If an + * `iteratee` is provided, it will be used on each element to generate + * the criterion by which the element is ranked. -Infinity is returned + * if list is empty. Non-numerical values returned by `iteratee` will + * be ignored. + * @param iteratee The iteratee that provides the criterion by which + * each element is ranked, optional if evaluating a collection of + * numbers. + * @param context `this` object in `iteratee`, optional. + * @returns The maximum element within the wrapped collection or + * -Infinity if the wrapped collection is empty. + */ + max(iteratee?: Iteratee<V, any>, context?: any): T | number; + + /** + * Returns the minimum value in the wrapped collection. If an + * `iteratee` is provided, it will be used on each element to generate + * the criterion by which the element is ranked. Infinity is returned + * if list is empty. Non-numerical values returned by `iteratee` will + * be ignored. + * @param iteratee The iteratee that provides the criterion by which + * each element is ranked, optional if evaluating a collection of + * numbers. + * @param context `this` object in `iteratee`, optional. + * @returns The minimum element within the wrapped collection or + * Infinity if the wrapped collection is empty. + */ + min(iteratee?: Iteratee<V, any>, context?: any): T | number; + + /** + * Returns a (stably) sorted copy of the wrapped collection, ranked in + * ascending order by the results of running each value through + * `iteratee`. + * @param iteratee An iteratee that provides the value to sort by for + * each item in the wrapped collection. + * @param context `this` object in `iteratee`, optional. + * @returns A sorted copy of the wrapped collection. + */ + sortBy(iteratee?: Iteratee<V, any>, context?: any): T[]; + + /** + * Splits the warpped collection into sets that are grouped by the + * result of running each value through `iteratee`. + * @param iteratee An iteratee that provides the value to group by for + * each item in the wrapped collection. + * @param context `this` object in `iteratee`, optional. + * @returns A dictionary with the group names provided by `iteratee` as + * properties where each property contains the grouped elements from + * the wrapped collection. + */ + groupBy( + iteratee?: Iteratee<V, string | number>, + context?: any, + ): Dictionary<T[]>; + + /** + * Given the warpped collection and an `iteratee` function that returns + * a key for each element in the wrapped collection, returns an object + * that acts as an index of each item. Just like `groupBy`, but for when you + * know your keys are unique. + * @param iteratee An iteratee that provides the value to index by for + * each item in the wrapped collection. + * @param context `this` object in `iteratee`, optional. + * @returns A dictionary where each item in the wrapped collection is + * assigned to the property designated by `iteratee`. + */ + indexBy(iteratee?: Iteratee<V, string | number>, context?: any): Dictionary<T>; + + /** + * Sorts the wrapped collection into groups and returns a count for the + * number of objects in each group. Similar to `groupBy`, but instead + * of returning a list of values, returns a count for the number of + * values in that group. + * @param iteratee An iteratee that provides the value to count by for + * each item in the wrapped collection. + * @param context `this` object in `iteratee`, optional. + * @returns A dictionary with the group names provided by `iteratee` as + * properties where each property contains the count of the grouped + * elements from the wrapped collection. + */ + countBy( + iteratee?: Iteratee<V, string | number>, + context?: any, + ): Dictionary<number>; + + /** + * Returns a shuffled copy of the wrapped collection, using a version + * of the Fisher-Yates shuffle. + * @returns A shuffled copy of the wrapped collection. + */ + shuffle(): T[]; + + /** + * Produce a random sample from the wrapped collection. Pass a number + * to return `n` random elements from the wrapped collection. Otherwise + * a single random item will be returned. + * @param n The number of elements to sample from the wrapped + * collection. + * @returns A random sample of `n` elements from the wrapped collection + * or a single element if `n` is not specified. + */ + sample(n: number): T[]; + sample(): T | undefined; + + /** + * Creates a real Array from the wrapped collection (anything that can + * be iterated over). Useful for transmuting the arguments object. + * @returns An array containing the elements of the wrapped collection. + */ + toArray(): T[]; + + /** + * Determines the number of values in the wrapped collection. + * @returns The number of values in the wrapped collection. + */ + size(): number; + + /** + * Splits the wrapped collection into two arrays: one whose elements + * all satisfy `iteratee` and one whose elements all do not satisfy + * `iteratee`. + * @param iteratee The iteratee that defines the partitioning scheme + * for each element in the wrapped collection. + * @param context `this` object in `iteratee`, optional. + * @returns An array composed of two elements, where the first element + * contains the elements in the wrapped collection that satisfied the + * predicate and the second element contains the elements that did not. + */ + partition(iteratee?: Iteratee<V, boolean>, context?: any): [T[], T[]]; + + /********** + * Arrays * + **********/ + + /** + * Returns the first element of the wrapped list. Passing `n` will + * return the first `n` elements of the wrapped list. + * @param n The number of elements to retrieve, optional. + * @returns The first `n` elements of the wrapped list or the first + * element if `n` is omitted. + */ + first(): T | undefined; + first(n: number): T[]; + + /** + * @see first + */ + head: Underscore<T, V>["first"]; + + /** + * @see first + */ + take: Underscore<T, V>["first"]; + + /** + * Returns everything but the last entry of the wrapped list. + * Especially useful on the arguments object. Pass `n` to exclude the + * last `n` elements from the result. + * @param n The number of elements from the end of the wrapped list to + * omit, optional, default = 1. + * @returns The elements of the wrapped list with the last `n` items + * omitted. + */ + initial(n?: number): T[]; + + /** + * Returns the last element of the wrapped list. Passing `n` will + * return the last `n` elements of the wrapped list. + * @param n The number of elements to retrieve, optional. + * @returns The last `n` elements of the wrapped list or the last + * element if `n` is omitted. + */ + last(): T | undefined; + last(n: number): T[]; + + /** + * Returns the rest of the elements in the wrapped list. Pass an + * `index` to return the values of the list from that index onward. + * @param index The index to start retrieving elements from, optional, + * default = 1. + * @returns The elements of the wrapped list from `index` to the end + * of the list. + */ + rest(n?: number): T[]; + + /** + * @see rest + */ + tail: Underscore<T, V>["rest"]; + + /** + * @see rest + */ + drop: Underscore<T, V>["rest"]; + + /** + * Returns a copy of the wrapped list with all falsy values removed. In + * JavaScript, false, null, 0, "", undefined and NaN are all falsy. + * @returns An array containing the elements of the wrapped list without + * falsy values. + */ + compact(): Array<Truthy<T>>; + + /** + * Flattens a nested list (the nesting can be to any depth). If you + * pass depth, the wrapped list will only be flattened a single + * level. + * @param depth True to only flatten one level, optional, + * default = false. + * @returns The flattened list. + */ + flatten(depth: 1 | true): Array<ListItemOrSelf<T>>; + flatten(depth?: number | false): Array<DeepestListItemOrSelf<T>>; + + /** + * Returns a copy of the wrapped list with all instances of `values` + * removed. + * @param values The values to exclude from the wrapped list. + * @returns An array that contains all elements of the wrapped list + * except for `values`. + */ + without(...values: T[]): T[]; + + /** + * Computes the union of the wrapped list and the passed-in `lists`: + * the list of unique items, examined in order from first list to last + * list, that are present in one or more of the lists. + * @param lists The lists (along with the wrapped list) to compute + * the union of. + * @returns The union of elements within the wrapped list and `lists`. + */ + union(...lists: Array<List<T>>): T[]; + + /** + * Computes the list of values that are the intersection of the wrapped + * list and the passed-in `lists`. Each value in the result is present + * in each of the lists. + * @param lists The lists (along with the wrapped list) to compute the + * intersection of. + * @returns The intersection of elements within the the wrapped list + * and `lists`. + */ + intersection(...lists: Array<List<T>>): T[]; + + /** + * Similar to without, but returns the values from the wrapped list + * that are not present in `others`. + * @param list The starting list. + * @param others The lists of values to exclude from the wrapped list. + * @returns The contents of the wrapped list without the values in + * `others`. + */ + difference(...others: Array<List<T>>): T[]; + + /** + * Produces a duplicate-free version of the wrapped list, using === to + * test object equality. If you know in advance that the wrapped list + * is sorted, passing true for isSorted will run a much faster + * algorithm. If you want to compute unique items based on a + * transformation, pass an iteratee function. + * @param isSorted True if the wrapped list is already sorted, + * optional, default = false. + * @param iteratee Transform the elements of the wrapped list before + * comparisons for uniqueness. + * @param context 'this' object in `iteratee`, optional. + * @returns An array containing only the unique elements in the wrapped + * list. + */ + uniq( + isSorted?: boolean, + iteratee?: Iteratee<V, any>, + cotext?: any, + ): T[]; + uniq( + iteratee?: Iteratee<V, any>, + context?: any, + ): T[]; + + /** + * @see uniq + */ + unique: Underscore<T, V>["uniq"]; + + /** + * Merges together the values of each of the `lists` (including the + * wrapped list) with the values at the corresponding position. Useful + * when you have separate data sources that are coordinated through + * matching list indexes. + * @returns The zipped version of the wrapped list and `lists`. + */ + zip(): V extends List<infer A> ? Array<[A]> : []; // eslint-disable-line @definitelytyped/no-single-element-tuple-type + zip<A, B>(...lists: [List<A>, List<B>]): Array<[T, A, B]>; + zip<A>(list: List<A>): Array<[T, A]>; + zip(...lists: Array<List<T>>): T[][]; + zip(...lists: Array<List<any>>): any[][]; + + /** + * The opposite of zip. Given the wrapped list of lists, returns a + * series of new arrays, the first of which contains all of the first + * elements in the wrapped lists, the second of which contains all of + * the second elements, and so on. (alias: transpose) + * @returns The unzipped version of the wrapped lists. + */ + unzip(): T extends [infer A, infer B, infer C] ? [A[], B[], C[]] + : T extends [infer A, infer B] ? [A[], B[]] + : T extends [infer A] // eslint-disable-line @definitelytyped/no-single-element-tuple-type + ? [A[]] // eslint-disable-line @definitelytyped/no-single-element-tuple-type + : T extends List<infer A> ? A[][] + : []; + transpose(): T extends [infer A, infer B, infer C] ? [A[], B[], C[]] + : T extends [infer A, infer B] ? [A[], B[]] + : T extends [infer A] // eslint-disable-line @definitelytyped/no-single-element-tuple-type + ? [A[]] // eslint-disable-line @definitelytyped/no-single-element-tuple-type + : T extends List<infer A> ? A[][] + : []; + + /** + * Converts lists into objects. Call on either a wrapped list of + * [key, value] pairs, or a wrapped list of keys and a list of + * `values`. Passing by pairs is the reverse of pairs. If duplicate + * keys exist, the last value wins. + * @param values If the wrapped list is a list of keys, a list of + * values corresponding to those keys. + * @returns An object comprised of the provided keys and values. + */ + object<TValue>( + values: List<TValue>, + ): Dictionary<TValue | undefined>; + object(): Dictionary<PairValue<T>>; + + /** + * Returns the index at which `value` can be found in the wrapped list, + * or -1 if `value` is not present. If you're working with a large list + * and you know that the list is already sorted, pass true for + * `isSortedOrFromIndex` to use a faster binary search...or, pass a + * number in order to look for the first matching value in the list + * after the given index. + * @param value The value to search for within the wrapped list. + * @param isSortedOrFromIndex True if the wrapped list is already + * sorted OR the starting index for the search, optional. + * @returns The index of the first occurrence of `value` within the + * wrapped list or -1 if `value` is not found. + */ + indexOf( + value: T, + isSortedOrFromIndex?: boolean | number, + ): number; + + /** + * Returns the index of the last occurrence of `value` in the wrapped + * list, or -1 if `value` is not present. Pass `fromIndex` to start + * your search at a given index. + * @param value The value to search for within the wrapped list. + * @param fromIndex The starting index for the search, optional. + * @returns The index of the last occurrence of `value` within the + * wrapped list or -1 if `value` is not found. + */ + lastIndexOf( + value: T, + fromIndex?: number, + ): number; + + /** + * Returns the first index of an element in the wrapped list where the + * `iteratee` truth test passes, otherwise returns -1. + * @param iteratee The truth test to apply. + * @param context `this` object in `iteratee`, optional. + * @returns The index of the first element in the wrapped list where + * the truth test passes or -1 if no elements pass. + */ + findIndex( + iteratee?: Iteratee<V, boolean>, + context?: any, + ): number; + + /** + * Returns the last index of an element in the wrapped list where the + * `iteratee` truth test passes, otherwise returns -1. + * @param iteratee The truth test to apply. + * @param context `this` object in `iteratee`, optional. + * @returns The index of the last element in the wrapped list where the + * truth test passes or -1 if no elements pass. + */ + findLastIndex( + iteratee?: Iteratee<V, boolean>, + context?: any, + ): number; + + /** + * Uses a binary search to determine the lowest index at which the + * value should be inserted into the wrapped list in order to maintain + * the wrapped list's sorted order. If an iteratee is provided, it will + * be used to compute the sort ranking of each value, including the + * value you pass. + * @param value The value to determine an insert index for to mainain + * the sorting in the wrapped list. + * @param iteratee Iteratee to compute the sort ranking of each + * element including `value`, optional. + * @param context `this` object in `iteratee`, optional. + * @returns The index where `value` should be inserted into the wrapped + * list. + */ + sortedIndex( + value: T, + iteratee?: Iteratee<V | undefined, any>, + context?: any, + ): number; + + /** + * A function to create flexibly-numbered lists of integers, handy for + * `each` and `map` loops. Returns a list of integers from + * the wrapped value (inclusive) to `stop` (exclusive), incremented + * (or decremented) by `step`. Note that ranges that `stop` before they + * `start` are considered to be zero-length instead of negative - if + * you'd like a negative range, use a negative `step`. + * + * If `stop` is not specified, the wrapped value will be the number to + * stop at and the default start of 0 will be used. + * @param stop The number to stop at. + * @param step The number to count up by each iteration, optional, + * default = 1. + * @returns An array of numbers from start to `stop` with increments + * of `step`. + */ + range(stop?: number, step?: number): number[]; + + /** + * Chunks the wrapped list into multiple arrays, each containing + * `length` or fewer items. + * @param length The maximum size of the chunks. + * @returns The contents of the wrapped list in chunks no greater than + * `length` in size. + */ + chunk(length: number): T[][]; + + /************* + * Functions * + *************/ + + /** + * Wrapped type `Function`. + * @see _.bind + */ + bind(object: any, ...args: any[]): Function; + + /** + * Wrapped type `object`. + * @see _.bindAll + */ + bindAll(...methodNames: string[]): any; + + /** + * Wrapped type `Function`. + * @see _.partial + */ + partial(...args: any[]): Function; + + /** + * Wrapped type `Function`. + * @see _.memoize + */ + memoize(hashFn?: (n: any) => string): Function; + + /** + * Wrapped type `Function`. + * @see _.defer + */ + defer(...args: any[]): void; + + /** + * Wrapped type `Function`. + * @see _.delay + */ + delay(wait: number, ...args: any[]): any; + + /** + * @see _.delay + */ + delay(...args: any[]): any; + + /** + * Wrapped type `Function`. + * @see _.throttle + */ + throttle(wait: number, options?: _.ThrottleSettings): Function & _.Cancelable; + + /** + * Wrapped type `Function`. + * @see _.debounce + */ + debounce(wait: number, immediate?: boolean): Function & _.Cancelable; + + /** + * Wrapped type `Function`. + * @see _.once + */ + once(): Function; + + /** + * Wrapped type `Function`. + * @see _.once + */ + restArgs(starIndex?: number): Function; + + /** + * Wrapped type `number`. + * @see _.after + */ + after(fn: Function): Function; + + /** + * Wrapped type `number`. + * @see _.before + */ + before(fn: Function): Function; + + /** + * Wrapped type `Function`. + * @see _.wrap + */ + wrap(wrapper: Function): () => Function; + + /** + * Wrapped type `Function`. + * @see _.negate + */ + negate(): (...args: any[]) => boolean; + + /** + * Wrapped type `Function[]`. + * @see _.compose + */ + compose(...functions: Function[]): Function; + + /*********** + * Objects * + ***********/ + + /** + * Wrapped type `object`. + * @see _.keys + */ + keys(): string[]; + + /** + * Wrapped type `object`. + * @see _.allKeys + */ + allKeys(): string[]; + + /** + * Wrapped type `object`. + * @see _.values + */ + values(): T[]; + + /** + * Like map, but for objects. Transform the value of each property in + * turn. + * @param iteratee The iteratee to use to transform property values. + * @param context `this` object in `iteratee`, optional. + * @returns A new object with all of the wrapped object's property + * values transformed through `iteratee`. + */ + mapObject<I extends Iteratee<V, any, TypeOfCollection<V, any>>>( + iteratee: I, + context?: any, + ): { [K in keyof V]: IterateeResult<I, V[K]> }; + + /** + * Convert the wrapped object into a list of [key, value] pairs. The + * opposite of the single-argument signature of `_.object`. + * @returns The list of [key, value] pairs from the wrapped object. + */ + pairs(): Array<[Extract<keyof V, string>, TypeOfCollection<V, any>]>; + + /** + * Wrapped type `object`. + * @see _.invert + */ + invert(): any; + + /** + * Wrapped type `object`. + * @see _.functions + */ + functions(): string[]; + + /** + * @see _.functions + */ + methods(): string[]; + + /** + * Wrapped type `object`. + * @see _.extend + */ + extend(...sources: any[]): any; + + /** + * Similar to `findIndex` but for keys in objects. Returns the key + * where the `iteratee` truth test passes or undefined. + * @param iteratee The truth test to apply. + * @param context `this` object in `iteratee`, optional. + * @returns The first element in the wrapped object that passes the + * truth test or undefined if no elements pass. + */ + findKey( + iteratee?: Iteratee<V, boolean, TypeOfCollection<V, any>>, + context?: any, + ): Extract<keyof V, string> | undefined; + + /** + * Return a copy of the wrapped object that is filtered to only have + * values for the allowed keys (or array of keys). + * @param keys The keys to keep on the wrapped object. + * @returns A copy of the wrapped object with only the `keys` + * properties. + */ + pick<K extends string>(...keys: Array<K | K[]>): _Pick<V, K>; + + /** + * Return a copy of the wrapped object that is filtered to only have + * values for the keys selected by a truth test. + * @param iterator A truth test that selects the keys to keep on the + * wrapped object. + * @returns A copy of the wrapped object with only the keys selected by + * `iterator`. + */ + pick( + iterator: ObjectIterator<TypeOfDictionary<V, any>, boolean, V>, + ): Partial<V>; + + /** + * Return a copy of the wrapped object that is filtered to omit the + * disallowed keys (or array of keys). + * @param keys The keys to omit from the wrapped object. + * @returns A copy of the wrapped object without the `keys` properties. + */ + omit<K extends string>(...keys: Array<K | K[]>): _Omit<V, K>; + + /** + * Return a copy of the wrapped object that is filtered to not have + * values for the keys selected by a truth test. + * @param iterator A truth test that selects the keys to omit from the + * wrapped object. + * @returns A copy of the wrapped object without the keys selected by + * `iterator`. + */ + omit( + iterator: ObjectIterator<TypeOfDictionary<V, any>, boolean, V>, + ): Partial<V>; + + /** + * Wrapped type `object`. + * @see _.defaults + */ + defaults(...defaults: any[]): any; + + /** + * Wrapped type `any`. + * @see _.create + */ + create(props?: object): any; + + /** + * Wrapped type `any[]`. + * @see _.clone + */ + clone(): T; + + /** + * Wrapped type `object`. + * @see _.tap + */ + tap(interceptor: (...as: any[]) => any): any; + + /** + * Wrapped type `object`. + * @see _.has + */ + has(key: string): boolean; + + /** + * Wrapped type `any[]`. + * @see _.matches + */ + matches(): _.ListIterator<T, boolean>; + + /** + * Wrapped type `any[]`. + * @see _.matcher + */ + matcher(): _.ListIterator<T, boolean>; + + /** + * Wrapped type `any`. + * @see _.get + */ + get( + path: string, + ): TypeOfCollection<V> | undefined; + get<U>( + path: string, + defaultValue?: U, + ): TypeOfCollection<V> | U; + get<P extends Array<string | number>, U = undefined>( + // eslint-disable-next-line @definitelytyped/no-single-element-tuple-type + path: [...P], + defaultValue?: U, + ): DeepTypeOfCollection<V, P> | U; + + /** + * Wrapped type `string`. + * @see _.property + */ + property(): (object: any) => any; + + /** + * Wrapped type `object`. + * @see _.propertyOf + */ + propertyOf(): (key: string) => any; + + /** + * Performs an optimized deep comparison between the wrapped object + * and `other` to determine if they should be considered equal. + * @param other Compare to the wrapped object. + * @returns True if the wrapped object should be considered equal to + * `other`. + */ + isEqual(other: any): boolean; + + /** + * Returns true if the wrapped collection contains no values. + * For strings and array-like objects checks if the length property is + * 0. + * @returns True if the wrapped collection has no elements. + */ + isEmpty(): boolean; + + /** + * Returns true if the keys and values in `properties` are contained in + * the wrapped object. + * @param properties The properties to check for in the wrapped object. + * @returns True if all keys and values in `properties` are also in the + * wrapped object. + */ + isMatch(properties: any): boolean; + + /** + * Returns true if the wrapped object is a DOM element. + * @returns True if the wrapped object is a DOM element, otherwise + * false. + */ + isElement(): boolean; + + /** + * Returns true if the wrapped object is an Array. + * @returns True if the wrapped object is an Array, otherwise false. + */ + isArray(): boolean; + + /** + * Returns true if the wrapped object is an ArrayBuffer. + * @returns True if the wrapped object is an ArrayBuffer, otherwise false. + */ + isArrayBuffer(): boolean; + + /** + * Returns true if the wrapped object is a DataView. + * @returns True if the wrapped object is a DataView, otherwise false. + */ + isDataView(): boolean; + + /** + * Returns true if the wrapped object is a TypedArray. + * @returns True if the wrapped object is a TypedArray, otherwise false. + */ + isTypedArray(): boolean; + + /** + * Returns true if the wrapped object is a Symbol. + * @returns True if the wrapped object is a Symbol, otherwise false. + */ + isSymbol(): boolean; + + /** + * Returns true if the wrapped object is an Object. Note that + * JavaScript arrays and functions are objects, while (normal) strings + * and numbers are not. + * @returns True if the wrapped object is an Object, otherwise false. + */ + isObject(): boolean; + + /** + * Returns true if the wrapped object is an Arguments object. + * @returns True if the wrapped object is an Arguments object, + * otherwise false. + */ + isArguments(): boolean; + + /** + * Returns true if the wrapped object is a Function. + * @returns True if the wrapped object is a Function, otherwise false. + */ + isFunction(): boolean; + + /** + * Returns true if the wrapped object is a Error. + * @returns True if the wrapped object is a Error, otherwise false. + */ + isError(): boolean; + + /** + * Returns true if the wrapped object is a String. + * @returns True if the wrapped object is a String, otherwise false. + */ + isString(): boolean; + + /** + * Returns true if the wrapped object is a Number (including NaN). + * @returns True if the wrapped object is a Number, otherwise false. + */ + isNumber(): boolean; + + /** + * Returns true if the wrapped object is a finite Number. + * @returns True if the wrapped object is a finite Number. + */ + isFinite(): boolean; + + /** + * Returns true if the wrapped object is a Boolean. + * @returns True if the wrapped object is a Boolean, otherwise false. + */ + isBoolean(): boolean; + + /** + * Returns true if the wrapped object is a Date. + * @returns True if the wrapped object is a Date, otherwise false. + */ + isDate(): boolean; + + /** + * Returns true if the wrapped object is a RegExp. + * @returns True if the wrapped object is a RegExp, otherwise false. + */ + isRegExp(): boolean; + + /** + * Returns true if the wrapped object is NaN. + * Note: this is not the same as the native isNaN function, + * which will also return true if the variable is undefined. + * @returns True if the wrapped object is NaN, otherwise false. + */ + isNaN(): boolean; + + /** + * Returns true if the wrapped object is null. + * @returns True if the wrapped object is null, otherwise false. + */ + isNull(): boolean; + + /** + * Returns true if the wrapped object is undefined. + * @returns True if the wrapped object is undefined, otherwise false. + */ + isUndefined(): boolean; + + /*********** + * Utility * + ***********/ + + /** + * Wrapped type `any`. + * @see _.identity + */ + identity(): any; + + /** + * Wrapped type `any`. + * @see _.constant + */ + constant(): () => T; + + /** + * Wrapped type `any`. + * @see _.noop + */ + noop(): void; + + /** + * Wrapped type `number`. + * @see _.times + */ + times<TResult>(iterator: (n: number) => TResult, context?: any): TResult[]; + + /** + * Wrapped type `number`. + * @see _.random + */ + random(): number; + /** + * Wrapped type `number`. + * @see _.random + */ + random(max: number): number; + + /** + * Wrapped type `object`. + * @see _.mixin + */ + mixin(): void; + + /** + * Wrapped type `string|Function|Object`. + * @see _.iteratee + */ + iteratee(context?: any): Function; + + /** + * Wrapped type `string`. + * @see _.uniqueId + */ + uniqueId(): string; + + /** + * Wrapped type `string`. + * @see _.escape + */ + escape(): string; + + /** + * Wrapped type `string`. + * @see _.unescape + */ + unescape(): string; + + /** + * Wrapped type `object`. + * @see _.result + */ + result(property: string, defaultValue?: any): any; + + /** + * Wrapped type `string`. + * @see _.template + */ + template(settings?: _.TemplateSettings): CompiledTemplate; + + /************ + * Chaining * + ************/ + + /** + * Returns a wrapped object. Calling methods on this object will + * continue to return wrapped objects until value() is used. + * @returns An underscore chain wrapper around the wrapped value. + */ + chain(): _Chain<T, V>; + + /** + * Extracts the value of the wrapped object. + * @returns The value of the wrapped object. + */ + value(): V; + } + + interface _Chain<T, V = T[]> { + /*************** + * Collections * + ***************/ + + /** + * Iterates over the wrapped collection of elements, yielding each in + * turn to an `iteratee`. The `iteratee` is bound to the context + * object, if one is passed. + * @param iteratee The iteratee to call for each element in the wrapped + * collection. + * @param context 'this' object in `iteratee`, optional. + * @returns A chain wrapper around the originally wrapped collection. + */ + each( + iteratee: CollectionIterator<TypeOfCollection<V>, void, V>, + context?: any, + ): _Chain<T, V>; + + /** + * @see each + */ + forEach: _Chain<T, V>["each"]; + + /** + * Produces a new array of values by mapping each value in the wrapped + * collection through a transformation `iteratee`. + * @param iteratee The iteratee to use to transform each item in the + * wrapped collection. + * @param context `this` object in `iteratee`, optional. + * @returns A chain wrapper around the mapped result. + */ + map<I extends Iteratee<V, any>>( + iteratee: I, + context?: any, + ): _Chain<IterateeResult<I, T>>; + + /** + * @see map + */ + collect: _Chain<T, V>["map"]; + + /** + * Also known as inject and foldl, reduce boils down the wrapped + * collection of values into a single value. `memo` is the initial + * state of the reduction, and each successive step of it should be + * returned by `iteratee`. + * + * If no memo is passed to the initial invocation of reduce, `iteratee` + * is not invoked on the first element of the wrapped collection. The + * first element is instead passed as the memo in the invocation of + * `iteratee` on the next element in the wrapped collection. + * @param iteratee The function to call on each iteration to reduce the + * collection. + * @param memo The initial reduce state or undefined to use the first + * item in `collection` as initial state. + * @param context `this` object in `iteratee`, optional. + * @returns A chain wrapper around the reduced result. + */ + reduce<TResult>( + iteratee: MemoCollectionIterator<TypeOfCollection<V>, TResult, V>, + memo: TResult, + context?: any, + ): _ChainSingle<TResult>; + reduce<TResult = TypeOfCollection<V>>( + iteratee: MemoCollectionIterator<TypeOfCollection<V>, TResult | TypeOfCollection<V>, V>, + ): _ChainSingle<TResult | TypeOfCollection<V> | undefined>; + + /** + * @see reduce + */ + inject: _Chain<T, V>["reduce"]; + + /** + * @see reduce + */ + foldl: _Chain<T, V>["reduce"]; + + /** + * The right-associative version of reduce. + * + * This is not as useful in JavaScript as it would be in a language + * with lazy evaluation. + * @param iteratee The function to call on each iteration to reduce the + * collection. + * @param memo The initial reduce state or undefined to use the first + * item in `collection` as the initial state. + * @param context `this` object in `iteratee`, optional. + * @returns A chain wrapper around the reduced result. + */ + reduceRight<TResult>( + iteratee: MemoCollectionIterator<TypeOfCollection<V>, TResult, V>, + memo: TResult, + context?: any, + ): _ChainSingle<TResult>; + reduceRight<TResult = TypeOfCollection<V>>( + iteratee: MemoCollectionIterator<TypeOfCollection<V>, TResult | TypeOfCollection<V>, V>, + ): _ChainSingle<TResult | TypeOfCollection<V> | undefined>; + + /** + * @see reduceRight + */ + foldr: _Chain<T, V>["reduceRight"]; + + /** + * Looks through each value in the wrapped collection, returning the + * first one that passes a truth test (`iteratee`), or undefined if no + * value passes the test. The function returns as soon as it finds an + * acceptable element, and doesn't traverse the entire collection. + * @param iteratee The truth test to apply. + * @param context `this` object in `iteratee`, optional. + * @returns A chain wrapper around the first element in the wrapped + * collection that passes the truth test or undefined if no elements + * pass. + */ + find( + iteratee?: Iteratee<V, boolean>, + context?: any, + ): _ChainSingle<T | undefined>; + + /** + * @see find + */ + detect: _Chain<T, V>["find"]; + + /** + * Looks through each value in the wrapped collection, returning an + * array of all the values that pass a truth test (`iteratee`). + * @param iteratee The truth test to apply. + * @param context `this` object in `iteratee`, optional. + * @returns A chain wrapper around the set of values that pass the + * truth test. + */ + filter(iteratee?: Iteratee<V, any>, context?: any): _Chain<T>; + + /** + * @see filter + */ + select: _Chain<T, V>["filter"]; + + /** + * Looks through each value in the wrapped collection, returning an + * array of all the elements that match the key-value pairs listed in + * `properties`. + * @param properties The properties to check for on the elements within + * the wrapped collection. + * @returns A chain wrapper around the elements in the wrapped + * collection that match `properties`. + */ + where(properties: Partial<T>): _Chain<T>; + + /** + * Looks through the wrapped collection and returns the first value + * that matches all of the key-value pairs listed in `properties`. If + * no match is found, or if list is empty, undefined will be returned. + * @param properties The properties to check for on the elements within + * the wrapped collection. + * @returns A chain wrapper around the first element in the wrapped + * collection that matches `properties` or undefined if no match is + * found. + */ + findWhere(properties: Partial<T>): _ChainSingle<T | undefined>; + + /** + * Returns the values in the wrapped collection without the elements + * that pass a truth test (`iteratee`). + * The opposite of filter. + * @param iteratee The truth test to apply. + * @param context `this` object in `iteratee`, optional. + * @returns A chain wrapper around the set of values that fail the + * truth test. + */ + reject(iteratee?: Iteratee<V, boolean>, context?: any): _Chain<T>; + + /** + * Returns true if all of the values in the wrapped collection pass the + * `iteratee` truth test. Short-circuits and stops traversing the + * wrapped collection if a false element is found. + * @param iteratee The truth test to apply. + * @param context `this` object in `iteratee`, optional. + * @returns A chain wrapper around true if all elements pass the truth + * test, otherwise around false. + */ + every( + iterator?: Iteratee<V, boolean>, + context?: any, + ): _ChainSingle<boolean>; + + /** + * @see every + */ + all: _Chain<T, V>["every"]; + + /** + * Returns true if any of the values in the wrapped collection pass the + * `iteratee` truth test. Short-circuits and stops traversing the + * wrapped collection if a true element is found. + * @param iteratee The truth test to apply. + * @param context `this` object in `iteratee`, optional. + * @returns A chain wrapper around true if any element passed the truth + * test, otherwise around false. + */ + some( + iterator?: Iteratee<V, boolean>, + context?: any, + ): _ChainSingle<boolean>; + + /** + * @see some + */ + any: _Chain<T, V>["some"]; + + /** + * Returns true if the value is present in the wrapped collection. Uses + * indexOf internally, if the wrapped collection is a List. Use + * `fromIndex` to start your search at a given index. + * @param value The value to check the wrapped collection for. + * @param fromIndex The index to start searching from, optional, + * default = 0, only used when the wrapped collection is a List. + * @returns A chain wrapper around true if `value` is present in the + * wrapped collection after `fromIndex`, otherwise around false. + */ + contains(value: any, fromIndex?: number): _ChainSingle<boolean>; + + /** + * @see contains + */ + include: _Chain<T, V>["contains"]; + + /** + * @see contains + */ + includes: _Chain<T, V>["contains"]; + + /** + * Calls the method named by `methodName` on each value in the wrapped + * collection. Any extra arguments passed to invoke will be forwarded + * on to the method invocation. + * @param methodName The name of the method to call on each element in + * the wrapped collection. + * @param args Additional arguments to pass to method `methodName`. + * @returns A chain wrapper around an array containing the result of + * the method call for each item in the wrapped collection. + */ + invoke(methodName: string, ...args: any[]): _Chain<any>; + + /** + * A convenient version of what is perhaps the most common use-case for + * map: extracting a list of property values. + * @param propertyName The name of a specific property to retrieve from + * all items in the wrapped collection. + * @returns A chain wrapper around The set of values for the specified + * `propertyName` for each item in the wrapped collection. + */ + pluck<K extends string | number>( + propertyName: K, + ): _Chain<PropertyTypeOrAny<T, K>>; + + /** + * Returns the maximum value in the wrapped collection. If an + * `iteratee` is provided, it will be used on each element to generate + * the criterion by which the element is ranked. -Infinity is returned + * if list is empty. Non-numerical values returned by `iteratee` will + * be ignored. + * @param iteratee The iteratee that provides the criterion by which + * each element is ranked, optional if evaluating a collection of + * numbers. + * @param context `this` object in `iteratee`, optional. + * @returns A chain wrapper around the maximum element within the + * wrapped collection or around -Infinity if the wrapped collection is + * empty. + */ + max( + iteratee?: Iteratee<V, any>, + context?: any, + ): _ChainSingle<T | number>; + + /** + * Returns the minimum value in the wrapped collection. If an + * `iteratee` is provided, it will be used on each element to generate + * the criterion by which the element is ranked. Infinity is returned + * if list is empty. Non-numerical values returned by `iteratee` will + * be ignored. + * @param iteratee The iteratee that provides the criterion by which + * each element is ranked, optional if evaluating a collection of + * numbers. + * @param context `this` object in `iteratee`, optional. + * @returns A chain wrapper around the minimum element within the + * wrapped collection or around Infinity if the wrapped collection is + * empty. + */ + min( + iteratee?: Iteratee<V, any>, + context?: any, + ): _ChainSingle<T | number>; + + /** + * Returns a (stably) sorted copy of the wrapped collection, ranked in + * ascending order by the results of running each value through + * `iteratee`. + * @param iteratee An iteratee that provides the value to sort by for + * each item in the wrapped collection. + * @param context `this` object in `iteratee`, optional. + * @returns A chain wrapper around a sorted copy of the wrapped + * collection. + */ + sortBy(iteratee?: Iteratee<V, any>, context?: any): _Chain<T>; + + /** + * Splits the warpped collection into sets that are grouped by the + * result of running each value through `iteratee`. + * @param iteratee An iteratee that provides the value to group by for + * each item in the wrapped collection. + * @param context `this` object in `iteratee`, optional. + * @returns A chain wrapper around a dictionary with the group names + * provided by `iteratee` as properties where each property contains + * the grouped elements from the wrapped collection. + */ + groupBy( + iteratee?: Iteratee<V, string | number>, + context?: any, + ): _Chain<T[], Dictionary<T[]>>; + + /** + * Given the warpped collection and an `iteratee` function that returns + * a key for each element in `collection`, returns an object that acts + * as an index of each item. Just like `groupBy`, but for when you + * know your keys are unique. + * @param iteratee An iteratee that provides the value to index by for + * each item in the wrapped collection. + * @param context `this` object in `iteratee`, optional. + * @returns A chain wrapper around a dictionary where each item in the + * wrapped collection is assigned to the property designated by + * `iteratee`. + */ + indexBy( + iteratee?: Iteratee<V, string | number>, + context?: any, + ): _Chain<T, Dictionary<T>>; + + /** + * Sorts the wrapped collection into groups and returns a count for the + * number of objects in each group. Similar to `groupBy`, but instead + * of returning a list of values, returns a count for the number of + * values in that group. + * @param iteratee An iteratee that provides the value to count by for + * each item in the wrapped collection. + * @param context `this` object in `iteratee`, optional. + * @returns A chain wrapper around a dictionary with the group names + * provided by `iteratee` as properties where each property contains + * the count of the grouped elements from the wrapped collection. + */ + countBy( + iterator?: Iteratee<V, string | number>, + context?: any, + ): _Chain<number, Dictionary<number>>; + + /** + * Returns a shuffled copy of the wrapped collection, using a version + * of the Fisher-Yates shuffle. + * @returns A chain wrapper around a shuffled copy of the wrapped + * collection. + */ + shuffle(): _Chain<T>; + + /** + * Produce a random sample from the wrapped collection. Pass a number + * to return `n` random elements from the wrapped collection. Otherwise + * a single random item will be returned. + * @param n The number of elements to sample from the wrapped + * collection. + * @returns A chain wrapper around a random sample of `n` elements from + * the wrapped collection or a single element if `n` is not specified. + */ + sample(n: number): _Chain<T>; + sample(): _ChainSingle<T | undefined>; + + /** + * Creates a real Array from the wrapped collection (anything that can + * be iterated over). Useful for transmuting the arguments object. + * @returns A chain wrapper around an array containing the elements + * of the wrapped collection. + */ + toArray(): _Chain<T>; + + /** + * Determines the number of values in the wrapped collection. + * @returns A chain wrapper around the number of values in the wrapped + * collection. + */ + size(): _ChainSingle<number>; + + /** + * Splits the wrapped collection into two arrays: one whose elements + * all satisfy `iteratee` and one whose elements all do not satisfy + * `iteratee`. + * @param iteratee The iteratee that defines the partitioning scheme + * for each element in the wrapped collection. + * @param context `this` object in `iteratee`, optional. + * @returns A chain wrapper around an array composed of two elements, + * where the first element contains the elements in the wrapped + * collection that satisfied the predicate and the second element + * contains the elements that did not. + */ + partition( + iteratee?: Iteratee<V, boolean>, + context?: any, + ): _Chain<T[], [T[], T[]]>; + + /********** + * Arrays * + **********/ + + /** + * Returns the first element of the wrapped list. Passing `n` will + * return the first `n` elements of the wrapped list. + * @param n The number of elements to retrieve, optional. + * @returns A chain wrapper around the first `n` elements of the + * wrapped list or around the first element if `n` is omitted. + */ + first(): _ChainSingle<T | undefined>; + first(n: number): _Chain<T>; + + /** + * @see first + */ + head: _Chain<T, V>["first"]; + + /** + * @see first + */ + take: _Chain<T, V>["first"]; + + /** + * Returns everything but the last entry of the wrapped list. + * Especially useful on the arguments object. Pass `n` to exclude the + * last `n` elements from the result. + * @param n The number of elements from the end of the wrapped list to + * omit, optional, default = 1. + * @returns A chain wrapper around the elements of the wrapped list + * with the last `n` items omitted. + */ + initial(n?: number): _Chain<T>; + + /** + * Returns the last element of the wrapped list. Passing `n` will + * return the last `n` elements of the wrapped list. + * @param n The number of elements to retrieve, optional. + * @returns A chain wrapper around the last `n` elements of the wrapped + * list or around the last element if `n` is omitted. + */ + last(): _ChainSingle<T | undefined>; + last(n: number): _Chain<T>; + + /** + * Returns the rest of the elements in the wrapped list. Pass an + * `index` to return the values of the list from that index onward. + * @param index The index to start retrieving elements from, optional, + * default = 1. + * @returns A chain wrapper around the elements of the wrapped list + * from `index` to the end of the list. + */ + rest(n?: number): _Chain<T>; + + /** + * @see rest + */ + tail: _Chain<T, V>["rest"]; + + /** + * @see rest + */ + drop: _Chain<T, V>["rest"]; + + /** + * Returns a copy of the wrapped list with all falsy values removed. In + * JavaScript, false, null, 0, "", undefined and NaN are all falsy. + * @returns A chain wrapper around an array containing the elements of + * the wrapped list without falsy values. + */ + compact(): _Chain<Truthy<T>>; + + /** + * Flattens a nested list (the nesting can be to any depth). If you + * pass true or 1 as the depth, the list will only be flattened a single + * level. Passing a greater number will cause the flattening to descend + * deeper into the nesting hierarchy. Omitting the depth argument, or + * passing false or Infinity, flattens the list all the way to the + * deepest nesting level. + * @param depth True to only flatten one level, optional, + * default = false. + * @returns A chain wrapper around the flattened list. + */ + flatten(depth: 1 | true): _Chain<ListItemOrSelf<T>>; + flatten(depth?: number | false): _Chain<DeepestListItemOrSelf<T>>; + + /** + * Returns a copy of the wrapped list with all instances of `values` + * removed. + * @param values The values to exclude from the wrapped list. + * @returns A chain wrapper around an array that contains all elements + * of the wrapped list except for `values`. + */ + without(...values: T[]): _Chain<T>; + + /** + * Computes the union of the wrapped list and the passed-in `lists`: + * the list of unique items, examined in order from first list to last + * list, that are present in one or more of the lists. + * @param lists The lists (along with the wrapped list) to compute + * the union of. + * @returns A chain wrapper around the union of elements within the + * wrapped list and `lists`. + */ + union(...lists: Array<List<T>>): _Chain<T>; + + /** + * Computes the list of values that are the intersection of the wrapped + * list and the passed-in `lists`. Each value in the result is present + * in each of the lists. + * @param lists The lists (along with the wrapped list) to compute the + * intersection of. + * @returns A chain wrapper around the intersection of elements within + * the the wrapped list and `lists`. + */ + intersection(...lists: Array<List<T>>): _Chain<T>; + + /** + * Similar to without, but returns the values from the wrapped list + * that are not present in `others`. + * @param list The starting list. + * @param others The lists of values to exclude from the wrapped list. + * @returns A chain wrapper around the contents of the wrapped list + * without the values in `others`. + */ + difference(...others: Array<List<T>>): _Chain<T>; + + /** + * Produces a duplicate-free version of the wrapped list, using === to + * test object equality. If you know in advance that the wrapped list + * is sorted, passing true for isSorted will run a much faster + * algorithm. If you want to compute unique items based on a + * transformation, pass an iteratee function. + * @param isSorted True if the wrapped list is already sorted, + * optional, default = false. + * @param iteratee Transform the elements of the wrapped list before + * comparisons for uniqueness. + * @param context 'this' object in `iteratee`, optional. + * @returns A chain wrapper around an array containing only the unique + * elements in the wrapped list. + */ + uniq( + isSorted?: boolean, + iteratee?: Iteratee<V, any>, + context?: any, + ): _Chain<T>; + uniq( + iteratee?: Iteratee<V, any>, + context?: any, + ): _Chain<T>; + + /** + * Wrapped type List<T>. + * @see uniq + */ + unique: _Chain<T, V>["uniq"]; + + /** + * Merges together the values of each of the `lists` (including the + * wrapped list) with the values at the corresponding position. Useful + * when you have separate data sources that are coordinated through + * matching list indexes. + * @returns A chain wrapper around the zipped version of the wrapped + * list and `lists`. + */ + zip(): V extends List<infer A> ? _Chain<[A]> : _Chain<never, []>; // eslint-disable-line @definitelytyped/no-single-element-tuple-type + zip<A, B>(...arrays: [List<A>, List<B>]): _Chain<[T, A, B]>; + zip<A>(array: List<A>): _Chain<[T, A]>; + zip(...arrays: Array<List<T>>): _Chain<T[]>; + zip(...arrays: Array<List<any>>): _Chain<any[]>; + + /** + * The opposite of zip. Given the wrapped list of lists, returns a + * series of new arrays, the first of which contains all of the first + * elements in the wrapped lists, the second of which contains all of + * the second elements, and so on. (alias: transpose) + * @returns A chain wrapper around the unzipped version of the wrapped + * lists. + */ + unzip(): T extends [infer A, infer B, infer C] ? _Chain<A[] | B[] | C[], [A[], B[], C[]]> + : T extends [infer A, infer B] ? _Chain<A[] | B[], [A[], B[]]> + : T extends [infer A] // eslint-disable-line @definitelytyped/no-single-element-tuple-type + ? _Chain<A[], [A[]]> // eslint-disable-line @definitelytyped/no-single-element-tuple-type + : T extends List<infer A> ? _Chain<A[]> + : _Chain<never, []>; + transpose(): T extends [infer A, infer B, infer C] ? _Chain<A[] | B[] | C[], [A[], B[], C[]]> + : T extends [infer A, infer B] ? _Chain<A[] | B[], [A[], B[]]> + : T extends [infer A] // eslint-disable-line @definitelytyped/no-single-element-tuple-type + ? _Chain<A[], [A[]]> // eslint-disable-line @definitelytyped/no-single-element-tuple-type + : T extends List<infer A> ? _Chain<A[]> + : _Chain<never, []>; + + /** + * Converts lists into objects. Call on either a wrapped list of + * [key, value] pairs, or a wrapped list of keys and a list of + * `values`. Passing by pairs is the reverse of pairs. If duplicate + * keys exist, the last value wins. + * @param values If the wrapped list is a list of keys, a list of + * values corresponding to those keys. + * @returns A chain wrapper around an object comprised of the provided + * keys and values. + */ + object<TValue>( + values: List<TValue>, + ): _Chain<TValue | undefined, Dictionary<TValue | undefined>>; + object(): _Chain<PairValue<T>, Dictionary<PairValue<T>>>; + + /** + * Returns the index at which `value` can be found in the wrapped list, + * or -1 if `value` is not present. If you're working with a large list + * and you know that the list is already sorted, pass true for + * `isSortedOrFromIndex` to use a faster binary search...or, pass a + * number in order to look for the first matching value in the list + * after the given index. + * @param value The value to search for within the wrapped list. + * @param isSortedOrFromIndex True if the wrapped list is already + * sorted OR the starting index for the search, optional. + * @returns A chain wrapper around the index of the first occurrence of + * `value` within the wrapped list or -1 if `value` is not found. + */ + indexOf( + value: T, + isSortedOrFromIndex?: boolean | number, + ): _ChainSingle<number>; + + /** + * Returns the index of the last occurrence of `value` in the wrapped + * list, or -1 if `value` is not present. Pass `fromIndex` to start + * your search at a given index. + * @param value The value to search for within the wrapped list. + * @param fromIndex The starting index for the search, optional. + * @returns A chain wrapper around the index of the last occurrence of + * `value` within the wrapped list or -1 if `value` is not found. + */ + lastIndexOf( + value: T, + fromIndex?: number, + ): _ChainSingle<number>; + + /** + * Returns the first index of an element in the wrapped list where the + * `iteratee` truth test passes, otherwise returns -1. + * @param iteratee The truth test to apply. + * @param context `this` object in `iteratee`, optional. + * @returns A chain wrapper around the index of the first element in + * the wrapped list where the truth test passes or -1 if no elements + * pass. + */ + findIndex( + iteratee?: Iteratee<V, boolean>, + context?: any, + ): _ChainSingle<number>; + + /** + * Returns the last index of an element in the wrapped list where the + * `iteratee` truth test passes, otherwise returns -1. + * @param iteratee The truth test to apply. + * @param context `this` object in `iteratee`, optional. + * @returns A chain wrapper around the index of the last element in the + * wrapped list where the truth test passes or -1 if no elements pass. + */ + findLastIndex( + iteratee?: Iteratee<V, boolean>, + context?: any, + ): _ChainSingle<number>; + + /** + * Uses a binary search to determine the lowest index at which the + * value should be inserted into the wrapped list in order to maintain + * the wrapped list's sorted order. If an iteratee is provided, it + * will be used to compute the sort ranking of each value, including + * the value you pass. + * @param value The value to determine an insert index for to mainain + * the sorting in the wrapped list. + * @param iteratee Iteratee to compute the sort ranking of each element + * including `value`, optional. + * @param context `this` object in `iteratee`, optional. + * @returns A chain wrapper around the index where `value` should be + * inserted into the wrapped list. + */ + sortedIndex( + value: T, + iteratee?: Iteratee<V | undefined, any>, + context?: any, + ): _ChainSingle<number>; + + /** + * A function to create flexibly-numbered lists of integers, handy for + * `each` and `map` loops. Returns a list of integers from + * the wrapped value (inclusive) to `stop` (exclusive), incremented + * (or decremented) by `step`. Note that ranges that `stop` before they + * `start` are considered to be zero-length instead of negative - if + * you'd like a negative range, use a negative `step`. + * + * If `stop` is not specified, the wrapped value will be the number to + * stop at and the default start of 0 will be used. + * @param stop The number to stop at. + * @param step The number to count up by each iteration, optional, + * default = 1. + * @returns A chain wrapper around an array of numbers from start to + * `stop` with increments of `step`. + */ + range(stop?: number, step?: number): _Chain<number>; + + /** + * Chunks the wrapped list into multiple arrays, each containing + * `length` or fewer items. + * @param length The maximum size of the chunks. + * @returns A chain wrapper around the contents of the wrapped list in + * chunks no greater than `length` in size. + */ + chunk(length: number): _Chain<T[]>; + + /************* + * Functions * + *************/ + + /** + * Wrapped type `Function`. + * @see _.bind + */ + bind(object: any, ...args: any[]): _Chain<T>; + + /** + * Wrapped type `object`. + * @see _.bindAll + */ + bindAll(...methodNames: string[]): _Chain<T>; + + /** + * Wrapped type `Function`. + * @see _.partial + */ + partial(...args: any[]): _Chain<T>; + + /** + * Wrapped type `Function`. + * @see _.memoize + */ + memoize(hashFn?: (n: any) => string): _Chain<T>; + + /** + * Wrapped type `Function`. + * @see _.defer + */ + defer(...args: any[]): _Chain<T>; + + /** + * Wrapped type `Function`. + * @see _.delay + */ + delay(wait: number, ...args: any[]): _Chain<T>; + + /** + * @see _.delay + */ + delay(...args: any[]): _Chain<T>; + + /** + * Wrapped type `Function`. + * @see _.throttle + */ + throttle(wait: number, options?: _.ThrottleSettings): _Chain<T>; + + /** + * Wrapped type `Function`. + * @see _.debounce + */ + debounce(wait: number, immediate?: boolean): _Chain<T>; + + /** + * Wrapped type `Function`. + * @see _.once + */ + once(): _Chain<T>; + + /** + * Wrapped type `Function`. + * @see _.once + */ + restArgs(startIndex?: number): _Chain<T>; + + /** + * Wrapped type `number`. + * @see _.after + */ + after(func: Function): _Chain<T>; + + /** + * Wrapped type `number`. + * @see _.before + */ + before(fn: Function): _Chain<T>; + + /** + * Wrapped type `Function`. + * @see _.wrap + */ + wrap(wrapper: Function): () => _Chain<T>; + + /** + * Wrapped type `Function`. + * @see _.negate + */ + negate(): _Chain<T>; + + /** + * Wrapped type `Function[]`. + * @see _.compose + */ + compose(...functions: Function[]): _Chain<T>; + + /*********** + * Objects * + ***********/ + + /** + * Wrapped type `object`. + * @see _.keys + */ + keys(): _Chain<string>; + + /** + * Wrapped type `object`. + * @see _.allKeys + */ + allKeys(): _Chain<string>; + + /** + * Wrapped type `object`. + * @see _.values + */ + values(): _Chain<any>; + + /** + * Like map, but for objects. Transform the value of each property in + * turn. + * @param iteratee The iteratee to use to transform property values. + * @param context `this` object in `iteratee`, optional. + * @returns A chain wrapper around a new object with all of the wrapped + * object's property values transformed through `iteratee`. + */ + mapObject<I extends Iteratee<V, any, TypeOfCollection<V, any>>>( + iteratee: I, + context?: any, + ): _Chain<IterateeResult<I, TypeOfCollection<V, any>>, { [K in keyof V]: IterateeResult<I, V[K]> }>; + + /** + * Convert the wrapped object into a list of [key, value] pairs. The + * opposite of the single-argument signature of `_.object`. + * @returns A chain wrapper around the list of [key, value] pairs from + * the wrapped object. + */ + pairs(): _Chain<[Extract<keyof V, string>, TypeOfCollection<V, any>]>; + + /** + * Wrapped type `object`. + * @see _.invert + */ + invert(): _Chain<T>; + + /** + * Wrapped type `object`. + * @see _.functions + */ + functions(): _Chain<T>; + + /** + * @see _.functions + */ + methods(): _Chain<T>; + + /** + * Wrapped type `object`. + * @see _.extend + */ + extend(...sources: any[]): _Chain<T>; + + /** + * Similar to `findIndex` but for keys in objects. Returns the key + * where the `iteratee` truth test passes or undefined. + * @param iteratee The truth test to apply. + * @param context `this` object in `iteratee`, optional. + * @returns The first element in the wrapped object that passes the + * truth test or undefined if no elements pass. + */ + findKey( + iteratee?: Iteratee<V, boolean, TypeOfCollection<V, any>>, + context?: any, + ): _ChainSingle<Extract<keyof V, string> | undefined>; + + /** + * Return a copy of the wrapped object that is filtered to only have + * values for the allowed keys (or array of keys). + * @param keys The keys to keep on the wrapped object. + * @returns A chain wrapper around a copy of the wrapped object with + * only the `keys` properties. + */ + pick<K extends string>(...keys: Array<K | K[]>): _ChainSingle<_Pick<V, K>>; + + /** + * Return a copy of the wrapped object that is filtered to only have + * values for the keys selected by a truth test. + * @param iterator A truth test that selects the keys to keep on the + * wrapped object. + * @returns A chain wrapper around a copy of the wrapped object with + * only the keys selected by `iterator`. + */ + pick( + iterator: ObjectIterator<TypeOfDictionary<V, any>, boolean, V>, + ): _ChainSingle<Partial<V>>; + + /** + * Return a copy of the wrapped object that is filtered to omit the + * disallowed keys (or array of keys). + * @param keys The keys to omit from the wrapped object. + * @returns A chain wrapper around a copy of the wrapped object without + * the `keys` properties. + */ + omit<K extends string>(...keys: Array<K | K[]>): _ChainSingle<_Omit<V, K>>; + + /** + * Return a copy of the wrapped object that is filtered to not have + * values for the keys selected by a truth test. + * @param iterator A truth test that selects the keys to omit from the + * wrapped object. + * @returns A chain wrapper around a copy of the wrapped object without + * the keys selected by `iterator`. + */ + omit( + iterator: ObjectIterator<TypeOfDictionary<V, any>, boolean, V>, + ): _ChainSingle<Partial<V>>; + + /** + * Wrapped type `object`. + * @see _.defaults + */ + defaults(...defaults: any[]): _Chain<T>; + + /** + * Wrapped type `any`. + * @see _.create + */ + create(props?: object): _Chain<T>; + + /** + * Wrapped type `any[]`. + * @see _.clone + */ + clone(): _Chain<T>; + + /** + * Wrapped type `object`. + * @see _.tap + */ + tap(interceptor: (...as: any[]) => any): _Chain<T, V>; + + /** + * Wrapped type `object`. + * @see _.has + */ + has(key: string): _Chain<T>; + + /** + * Wrapped type `any[]`. + * @see _.matches + */ + matches(): _Chain<T>; + + /** + * Wrapped type `any[]`. + * @see _.matcher + */ + matcher(): _Chain<T>; + + /** + * Wrapped type `any`. + * @see _.get + */ + get( + path: string, + ): _Chain<TypeOfCollection<V> | undefined, T | undefined>; + get<U>( + path: string, + defaultValue?: U, + ): _Chain<TypeOfCollection<V> | U, T | U>; + get<P extends Array<string | number>, W = DeepTypeOfCollection<Exclude<V, undefined>, P>, U = undefined>( + // eslint-disable-next-line @definitelytyped/no-single-element-tuple-type + path: [...P], + defaultValue?: U, + ): _Chain<TypeOfCollection<W> | U, W | U>; + + /** + * Wrapped type `string`. + * @see _.property + */ + property(): _Chain<T>; + + /** + * Wrapped type `object`. + * @see _.propertyOf + */ + propertyOf(): _Chain<T>; + + /** + * Performs an optimized deep comparison between the wrapped object + * and `other` to determine if they should be considered equal. + * @param other Compare to the wrapped object. + * @returns True if the wrapped object should be considered equal to + * `other`. + * The result will be wrapped in a chain wrapper. + */ + isEqual(other: any): _ChainSingle<boolean>; + + /** + * Returns true if the wrapped collection contains no values. + * For strings and array-like objects checks if the length property is + * 0. + * @returns True if the wrapped collection has no elements. + * The result will be wrapped in a chain wrapper. + */ + isEmpty(): _ChainSingle<boolean>; + + /** + * Returns true if the keys and values in `properties` are contained in + * the wrapped object. + * @param properties The properties to check for in the wrapped object. + * @returns True if all keys and values in `properties` are also in the + * wrapped object. + * The result will be wrapped in a chain wrapper. + */ + isMatch(properties: any): _ChainSingle<boolean>; + + /** + * Returns true if the wrapped object is a DOM element. + * @returns True if the wrapped object is a DOM element, otherwise + * false. + * The result will be wrapped in a chain wrapper. + */ + isElement(): _ChainSingle<boolean>; + + /** + * Returns true if the wrapped object is an Array. + * @returns True if the wrapped object is an Array, otherwise false. + * The result will be wrapped in a chain wrapper. + */ + isArray(): _ChainSingle<boolean>; + + /** + * Returns true if the wrapped object is an ArrayBuffer. + * @returns True if the wrapped object is an ArrayBuffer, otherwise false. + * The result will be wrapped in a chain wrapper. + */ + isArrayBuffer(): _ChainSingle<boolean>; + + /** + * Returns true if the wrapped object is a DataView. + * @returns True if the wrapped object is a DataView, otherwise false. + * The result will be wrapped in a chain wrapper. + */ + isDataView(): _ChainSingle<boolean>; + + /** + * Returns true if the wrapped object is a TypedArray. + * @returns True if the wrapped object is a TypedArray, otherwise false. + * The result will be wrapped in a chain wrapper. + */ + isTypedArray(): _ChainSingle<boolean>; + + /** + * Returns true if the wrapped object is a Symbol. + * @returns True if the wrapped object is a Symbol, otherwise false. + * The result will be wrapped in a chain wrapper. + */ + isSymbol(): _ChainSingle<boolean>; + + /** + * Returns true if the wrapped object is an Object. Note that + * JavaScript arrays and functions are objects, while (normal) strings + * and numbers are not. + * @returns True if the wrapped object is an Object, otherwise false. + * The result will be wrapped in a chain wrapper. + */ + isObject(): _ChainSingle<boolean>; + + /** + * Returns true if the wrapped object is an Arguments object. + * @returns True if the wrapped object is an Arguments object, + * otherwise false. + * The result will be wrapped in a chain wrapper. + */ + isArguments(): _ChainSingle<boolean>; + + /** + * Returns true if the wrapped object is a Function. + * @returns True if the wrapped object is a Function, otherwise false. + * The result will be wrapped in a chain wrapper. + */ + isFunction(): _ChainSingle<boolean>; + + /** + * Returns true if the wrapped object is a Error. + * @returns True if the wrapped object is a Error, otherwise false. + * The result will be wrapped in a chain wrapper. + */ + isError(): _ChainSingle<boolean>; + + /** + * Returns true if the wrapped object is a String. + * @returns True if the wrapped object is a String, otherwise false. + * The result will be wrapped in a chain wrapper. + */ + isString(): _ChainSingle<boolean>; + + /** + * Returns true if the wrapped object is a Number (including NaN). + * @returns True if the wrapped object is a Number, otherwise false. + * The result will be wrapped in a chain wrapper. + */ + isNumber(): _ChainSingle<boolean>; + + /** + * Returns true if the wrapped object is a finite Number. + * @returns True if the wrapped object is a finite Number. + * The result will be wrapped in a chain wrapper. + */ + isFinite(): _ChainSingle<boolean>; + + /** + * Returns true if the wrapped object is a Boolean. + * @returns True if the wrapped object is a Boolean, otherwise false. + * The result will be wrapped in a chain wrapper. + */ + isBoolean(): _ChainSingle<boolean>; + + /** + * Returns true if the wrapped object is a Date. + * @returns True if the wrapped object is a Date, otherwise false. + * The result will be wrapped in a chain wrapper. + */ + isDate(): _ChainSingle<boolean>; + + /** + * Returns true if the wrapped object is a RegExp. + * @returns True if the wrapped object is a RegExp, otherwise false. + * The result will be wrapped in a chain wrapper. + */ + isRegExp(): _ChainSingle<boolean>; + + /** + * Returns true if the wrapped object is NaN. + * Note: this is not the same as the native isNaN function, + * which will also return true if the variable is undefined. + * @returns True if the wrapped object is NaN, otherwise false. + * The result will be wrapped in a chain wrapper. + */ + isNaN(): _ChainSingle<boolean>; + + /** + * Returns true if the wrapped object is null. + * @returns True if the wrapped object is null, otherwise false. + * The result will be wrapped in a chain wrapper. + */ + isNull(): _ChainSingle<boolean>; + + /** + * Returns true if the wrapped object is undefined. + * @returns True if the wrapped object is undefined, otherwise false. + * The result will be wrapped in a chain wrapper. + */ + isUndefined(): _ChainSingle<boolean>; + + /*********** + * Utility * + ***********/ + + /** + * Wrapped type `any`. + * @see _.identity + */ + identity(): _Chain<T>; + + /** + * Wrapped type `any`. + * @see _.constant + */ + constant(): _Chain<T>; + + /** + * Wrapped type `any`. + * @see _.noop + */ + noop(): _Chain<T>; + + /** + * Wrapped type `number`. + * @see _.times + */ + times<TResult>(iterator: (n: number) => TResult, context?: any): _Chain<T>; + + /** + * Wrapped type `number`. + * @see _.random + */ + random(): _Chain<T>; + /** + * Wrapped type `number`. + * @see _.random + */ + random(max: number): _Chain<T>; + + /** + * Wrapped type `object`. + * @see _.mixin + */ + mixin(): _Chain<T>; + + /** + * Wrapped type `string|Function|Object`. + * @see _.iteratee + */ + iteratee(context?: any): _Chain<T>; + + /** + * Wrapped type `string`. + * @see _.uniqueId + */ + uniqueId(): _Chain<T>; + + /** + * Wrapped type `string`. + * @see _.escape + */ + escape(): _Chain<T>; + + /** + * Wrapped type `string`. + * @see _.unescape + */ + unescape(): _Chain<T>; + + /** + * Wrapped type `object`. + * @see _.result + */ + result(property: string, defaultValue?: any): _Chain<T>; + + /** + * Wrapped type `string`. + * @see _.template + */ + template(settings?: _.TemplateSettings): _Chain<CompiledTemplate>; + + /*************** + * Array proxy * + ***************/ + + /** + * Returns a new array comprised of the array on which it is called + * joined with the array(s) and/or value(s) provided as arguments. + * @param arr Arrays and/or values to concatenate into a new array. See the discussion below for details. + * @return A new array comprised of the array on which it is called + */ + concat(...arr: T[][]): _Chain<T>; + + /** + * Join all elements of an array into a string. + * @param separator Optional. Specifies a string to separate each element of the array. The separator is converted to a string if necessary. If omitted, the array elements are separated with a comma. + * @return The string conversions of all array elements joined into one string. + */ + join(separator?: any): _ChainSingle<T>; + + /** + * Removes the last element from an array and returns that element. + * @return Returns the popped element. + */ + pop(): _ChainSingle<T>; + + /** + * Adds one or more elements to the end of an array and returns the new length of the array. + * @param item The elements to add to the end of the array. + * @return The array with the element added to the end. + */ + push(...item: T[]): _Chain<T>; + + /** + * Reverses an array in place. The first array element becomes the last and the last becomes the first. + * @return The reversed array. + */ + reverse(): _Chain<T>; + + /** + * Removes the first element from an array and returns that element. This method changes the length of the array. + * @return The shifted element. + */ + shift(): _ChainSingle<T>; + + /** + * Returns a shallow copy of a portion of an array into a new array object. + * @param start Zero-based index at which to begin extraction. + * @param end Optional. Zero-based index at which to end extraction. slice extracts up to but not including end. + * @return A shallow copy of a portion of an array into a new array object. + */ + slice(start: number, end?: number): _Chain<T>; + + /** + * Sorts the elements of an array in place and returns the array. The sort is not necessarily stable. The default sort order is according to string Unicode code points. + * @param compareFn Optional. Specifies a function that defines the sort order. If omitted, the array is sorted according to each character's Unicode code point value, according to the string conversion of each element. + * @return The sorted array. + */ + sort(compareFn?: (a: T, b: T) => boolean): _Chain<T>; + + /** + * Changes the content of an array by removing existing elements and/or adding new elements. + * @param index Index at which to start changing the array. If greater than the length of the array, actual starting index will be set to the length of the array. If negative, will begin that many elements from the end. + * @param quantity An integer indicating the number of old array elements to remove. If deleteCount is 0, no elements are removed. In this case, you should specify at least one new element. If deleteCount is greater than the number of elements left in the array starting at index, then all of the elements through the end of the array will be deleted. + * @param items The element to add to the array. If you don't specify any elements, splice will only remove elements from the array. + * @return An array containing the deleted elements. If only one element is removed, an array of one element is returned. If no elements are removed, an empty array is returned. + */ + splice(index: number, quantity: number, ...items: T[]): _Chain<T>; + + /** + * A string representing the specified array and its elements. + * @return A string representing the specified array and its elements. + */ + toString(): _ChainSingle<T>; + + /** + * Adds one or more elements to the beginning of an array and returns the new length of the array. + * @param items The elements to add to the front of the array. + * @return The array with the element added to the beginning. + */ + unshift(...items: T[]): _Chain<T>; + + /************ + * Chaining * + ************/ + + /** + * Returns a wrapped object. Calling methods on this object will + * continue to return wrapped objects until value() is used. + * @returns An underscore chain wrapper around the wrapped value. + */ + chain(): _Chain<T, V>; + + /** + * Extracts the value of the wrapped object. + * @returns The value of the wrapped object. + */ + value(): V; + } +} \ No newline at end of file diff --git a/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/tsconfig.json b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/tsconfig.json new file mode 100644 index 0000000000000000000000000000000000000000..92a91fde02db64a43907364e0885be3d89fcf860 --- /dev/null +++ b/test-api-openbis-javascript/servers/common/core-plugins/tests/1/as/webapps/openbis-v3-api-test/html/tsconfig.json @@ -0,0 +1,23 @@ +{ + "compilerOptions": { + "target": "es6", + "lib": ["dom", "esnext"], + "allowJs": true, + "skipLibCheck": true, + "allowSyntheticDefaultImports": true, + "strict": false, + "forceConsistentCasingInFileNames": true, + "noFallthroughCasesInSwitch": true, + "strictNullChecks": false, + "module": "amd", + "moduleResolution": "Node", + "isolatedModules": true, + "noImplicitAny": false, + "outDir": "test-compiled", + "sourceMap": true + }, + "include": [ + "index.d.ts", + "test/*.ts" + ] +} \ No newline at end of file diff --git a/ui-eln-lims/src/core-plugins/eln-lims/1/as/webapps/eln-lims/html/js/server/ServerFacade.js b/ui-eln-lims/src/core-plugins/eln-lims/1/as/webapps/eln-lims/html/js/server/ServerFacade.js index 1f87ec0a1d0c37ce1f53479044756d8e3b7e5463..a01900d1cbc30d6b3507cfe12566579789999698 100644 --- a/ui-eln-lims/src/core-plugins/eln-lims/1/as/webapps/eln-lims/html/js/server/ServerFacade.js +++ b/ui-eln-lims/src/core-plugins/eln-lims/1/as/webapps/eln-lims/html/js/server/ServerFacade.js @@ -1193,7 +1193,11 @@ function ServerFacade(openbisServer) { } else if (data && data.result && data.result.columns) { var rows = data.result.rows; if (data.result.columns.length > 1 && data.result.columns[1].title === "Error") { - Util.showStacktraceAsError(rows[0][1].value); + if(rows[0][1].value === "Read-only file system") { + callback(rows); + } else { + Util.showStacktraceAsError(rows[0][1].value); + } } else { callback(rows); }