Skip to content

Latest commit

 

History

History
1423 lines (1102 loc) · 56.4 KB

odata.md

File metadata and controls

1423 lines (1102 loc) · 56.4 KB
shorty synopsis permalink redirect_from status
OData
Find details about CAP's support for the OData protocol.
advanced/odata
cds/odata-annotations
released
<script setup> import { h } from 'vue' const X = () => h('span', { class: 'ga', title: 'Available' }, ['✓'] ) const Na = () => h('i', { class: 'na', title: 'not applicable' }, ['n/a'] ) const D = () => h('i', { class: 'prog', title: 'in progress' }, ['in prog.'] ) const O = () => h('i', { class: 'plan', title: 'planned' }, ['planned'] ) </script> <style scoped> .ga { color: var(--vp-c-green-2); font-weight:900;} .na { color: #aaa; font-size:90%; } .prog { color: var(--vp-c-green-3); font-size:90%; font-weight:500; } .plan { color: #089; font-size:90% } </style>

Serving OData APIs

Feature Overview { #overview}

OData is an OASIS standard, which essentially enhances plain REST with standardized system query options like $select, $expand, $filter, etc. Find a rough overview of the feature coverage in the following table:

Query Options Remarks Node.js Java
$search Search in multiple/all text elements(1)
$value Retrieves single rows/values
$top,$skip Requests paginated results
$filter Like SQL where clause
$select Like SQL select clause
$orderby Like SQL order by clause
$count Gets number of rows for paged results
$apply For data aggregation
$expand Deep-read associated entities
Lambda Operators Boolean expressions on a collection (2)
  • (1) The elements to be searched are specified with the @cds.search annotation.
  • (2) The navigation path identifying the collection can only contain one segment.

System query options can also be applied to an expanded navigation property (nested within $expand):

Query Options Remarks Node.js Java
$select Select properties of associated entities
$filter Filter associated entities
$expand Nested expand
$orderby Sort associated entities
$top,$skip Paginate associated entities
$count Count associated entities
$search Search associated entities

Learn more in the Getting Started guide on odata.org.{.learn-more} Learn more in the tutorials Take a Deep Dive into OData.{.learn-more}

Data Modification Remarks Node.js Java
Create an Entity POST request on Entity collection
Update an Entity PATCH or PUT request on Entity
ETags For avoiding update conflicts
Delete an Entity DELETE request on Entity
Delta Payloads For nested entity collections in deep updates
Patch Collection Update Entity collection with delta

PATCH Entity Collection with Mass Data (Java) { #odata-patch-collection }

With OData v4, you can update a collection of entities with a single PATCH request. The resource path of the request targets the entity collection and the body of the request is given as a delta payload:

PATCH /CatalogService/Books
Content-Type: application/json

{
    "@context": "#$delta",
    "value": [
        {
            "ID": 17,
            "title": "CAP - what's new in 2023",
            "price": 29.99,
            "author_ID": 999
        },
        {
            "ID": 85,
            "price": 9.99
        },
        {
            "ID": 42,
            "@removed": { "reason": "deleted" }
        }
    ]
}

PATCH requests with delta payload are executed using batch delete and upsert statements, and are more efficient than OData batch requests.

Use PATCH on entity collections for uploading mass data using a dedicated service, which is secured using role-based authorization. Delta updates must be explicitly enabled by annotating the entity with

@Capabilities.UpdateRestrictions.DeltaUpdateSupported

Limitations:

  • Conflict detection via ETags is not supported.
  • Draft flow is bypassed, IsActiveEntity has to be true.
  • Draft locks are ignored, active entities are updated or deleted w/o canceling drafts.
  • Added and deleted links are not supported.
  • The header Prefer=representation is not yet supported.
  • The continue-on-error preference is not yet supported.
  • The generic CAP handler support for upsert is limited, for example, audit logging is not supported.

Mapping of CDS Types { #type-mapping}

The table below lists CDS's built-in types and their mapping to the OData EDM type system.

CDS Type OData V4
UUID Edm.Guid (1)
Boolean Edm.Boolean
UInt8 Edm.Byte
Int16 Edm.Int16
Int32 Edm.Int32
Integer Edm.Int32
Int64 Edm.Int64
Integer64 Edm.Int64
Decimal Edm.Decimal
Double Edm.Double
Date Edm.Date
Time Edm.TimeOfDay
DateTime Edm.DateTimeOffset
Timestamp Edm.DateTimeOffset with Precision="7"
String Edm.String
Binary Edm.Binary
LargeBinary Edm.Binary
LargeString Edm.String
Vector not supported (2)

(1) Mapping can be changed with, for example, @odata.Type='Edm.String'

(2) Type cds.Vector must not appear in an OData service

OData V2 has the following differences:

CDS Type OData V2
Date Edm.DateTime with sap:display-format="Date"
Time Edm.Time

Overriding Type Mapping { #override-type-mapping}

Override standard type mappings using the annotation @odata.Type first, and then additionally define @odata {MaxLength, Precision, Scale, SRID}.

@odata.Type is effective on scalar CDS types only and the value must be a valid OData (EDM) primitive type for the specified protocol version. Unknown types and non-matching facets are silently ignored. No further value constraint checks are applied.

They allow, for example, to produce additional OData EDM types which are not available in the standard type mapping. This is done during the import of external service APIs, see Using Services.

entity Foo {
  // ...
  @odata: { Type: 'Edm.GeometryPolygon', SRID: 0 }
  geoCollection : LargeBinary;
};

Another prominent use case is the CDS type UUID, which maps to Edm.Guid by default. However, the OData standard puts up restrictive rules for Edm.Guid values - for example, only hyphenated strings are allowed - which can conflict with existing data. Therefore, you can override the default mapping as follows:

entity Books {
  key ID : UUID @odata.Type:'Edm.String';
  // ...
}

::: warning This annotation affects the client side facing API only. There's no automatic data modification of any kind behind the scenes, like rounding, truncation, conversion, and so on. It's your responsibility to perform all required modifications on the data stream such that the values match their type in the API. If you are not doing the required conversions, you can "cast" any scalar CDS type into any incompatible EDM type:

entity Foo {
  // ...
  @odata: {Type: 'Edm.Decimal', Scale: 'floating' }
  str: String(17) default '17.4';
}

This translates into the following OData API contract:

<Property Name="str" Type="Edm.Decimal" Scale="floating" DefaultValue="17.4"/>

The client can now rightfully expect that float numbers are transmitted but in reality the values are still strings. :::

OData Annotations { #annotations}

The following sections explain how to add OData annotations to CDS models and how they're mapped to EDMX outputs. Only annotations defined in the vocabularies mentioned in section Annotation Vocabularies are considered in the translation.

Terms and Properties

OData defines a strict two-fold key structure composed of @<Vocabulary>.<Term> and all annotations are always specified as a Term with either a primitive value, a record value, or collection values. The properties themselves may, in turn, be primitives, records, or collections.

Example

@Common.Label: 'Customer'
@UI.HeaderInfo: {
  TypeName       : 'Customer',
  TypeNamePlural : 'Customers',
  Title          : { Value : name }
}
entity Customers { /* ... */ }

This is represented in CSN as follows:

{"definitions":{
  "Customers":{
    "kind": "entity",
    "@Common.Label": "Customer",
    "@UI.HeaderInfo.TypeName": "Customer",
    "@UI.HeaderInfo.TypeNamePlural": "Customers",
    "@UI.HeaderInfo.Title.Value": {"=": "name"},
    /* ... */
  }
}}

And would render to EDMX as follows:

<Annotations Target="MyService.Customers">
  <Annotation Term="Common.Label" String="Customer"/>
  <Annotation Term="UI.HeaderInfo">
    <Record Type="UI.HeaderInfoType">
      <PropertyValue Property="TypeName" String="Customer"/>
      <PropertyValue Property="TypeNamePlural" String="Customers"/>
      <PropertyValue Property="Title">
        <Record Type="UI.DataField">
          <PropertyValue Property="Value" Path="name"/>
        </Record>
      </PropertyValue>
    </Record>
  </Annotation>
</Annotations>

::: tip The value for @UI.HeaderInfo is flattened to individual key-value pairs in CSN and 'restructured' to a record for OData exposure in EDMX. :::

For each annotated target definition in CSN, the rules for restructuring from CSN sources are:

  1. Annotations with a single-identifier key are skipped (as OData annotations always have a @Vocabulary.Term... key signature).
  2. All individual annotations with the same @<Vocabulary.Term> prefix are collected.
  3. If there is only one annotation without a suffix, → that one is a scalar or array value of an OData term.
  4. If there are more annotations with suffix key parts → it's a record value for the OData term.

Qualified Annotations

OData foresees qualified annotations, which essentially allow to specify different values for a given property. CDS syntax for annotations was extended to also allow appending OData-style qualifiers after a # sign to an annotation key, but always only as the last component of a key in the syntax.

For example, this is supported:

@Common.Label: 'Customer'
@Common.Label#Legal: 'Client'
@Common.Label#Healthcare: 'Patient'
@Common.ValueList: {
  Label: 'Customers',
  CollectionPath:'Customers'
}
@Common.ValueList#Legal: {
  Label: 'Clients',
  CollectionPath:'Clients'
}

and would render as follows in CSN:

{
  "@Common.Label": "Customer",
  "@Common.Label#Legal": "Clients",
  "@Common.Label#Healthcare": "Patients",
  "@Common.ValueList.Label": "Customers",
  "@Common.ValueList.CollectionPath": "Customers",
  "@Common.ValueList#Legal.Label": "Clients",
  "@Common.ValueList#Legal.CollectionPath": "Clients",
}

Note that there's no interpretation and no special handling for these qualifiers in CDS. You have to write and apply them in exactly the same way as your chosen OData vocabularies specify them.

Primitives

::: tip The @Some annotation isn't a valid term definition. The following example illustrates the rendering of primitive values. :::

Primitive annotation values, meaning Strings, Numbers, true, and false are mapped to corresponding OData annotations as follows:

@Some.Boolean: true
@Some.Integer: 1
@Some.Number: 3.14
@Some.String: 'foo'
<Annotation Term="Some.Boolean" Bool="true"/>
<Annotation Term="Some.Integer" Int="1"/>
<Annotation Term="Some.Number" Decimal="3.14"/>
<Annotation Term="Some.String" String="foo"/>

Rendering a null value must be done as dynamic expression:

@Some.Null: { $edmJson: { $Null } }
<Annotation Term="Some.Null">
  <Null/>
</Annotation>

Have a look at our CAP SFLIGHT sample, showcasing the usage of OData annotations.{.learn-more}

Records

Note: The @Some annotation isn't a valid term definition. The following example illustrates the rendering of record values.

Record-like source structures are mapped to <Record> nodes in EDMX, with primitive types translated analogously to the above:

@Some.Record: {
  Null: null,
  Boolean: true,
  Integer: 1,
  Number: 3.14,
  String: 'foo'
}
<Annotation Term="Some.Record">
  <Record>
    <PropertyValue Property="Null"><Null/></PropertyValue>
    <PropertyValue Property="Boolean" Bool="true"/>
    <PropertyValue Property="Integer" Int="1"/>
    <PropertyValue Property="Number" Decimal="3.14"/>
    <PropertyValue Property="String" String="foo"/>
  </Record>
</Annotation>

If possible, the type of the record in OData is deduced from the information in the OData Annotation Vocabularies:

@Common.ValueList: {
  CollectionPath: 'Customers'
}
<Annotation Term="Common.ValueList">
  <Record Type="Common.ValueListType">
    <PropertyValue Property="CollectionPath" String="Customers"/>
  </Record>
</Annotation>

Frequently, the OData record type cannot be determined unambiguously, for example if the type found in the vocabulary is abstract. Then you need to explicitly specify the type by adding a property named $Type in the record. For example:

@UI.Facets : [{
  $Type  : 'UI.CollectionFacet',
  ID     : 'Customers'
}]
<Annotation Term="UI.Facets">
  <Collection>
    <Record Type="UI.CollectionFacet">
      <PropertyValue Property="ID" String="Travel"/>
    </Record>
  </Collection>
</Annotation>

There is one exception for a very prominent case: if the deduced record type is UI.DataFieldAbstract, the compiler by default automatically chooses UI.DataField:

@UI.Identification: [{
  Value: deliveryId
}]
<Annotation Term="UI.Identification">
  <Collection>
    <Record Type="UI.DataField">
      <PropertyValue Property="Value" Path="deliveryId"/>
    </Record>
  </Collection>
</Annotation>

To overwrite the default, use an explicit $Type like shown previously.

Have a look at our CAP SFLIGHT sample, showcasing the usage of OData annotations.{.learn-more}

Collections

Note: The @Some annotation isn't a valid term definition. The following example illustrates the rendering of collection values.

Arrays are mapped to <Collection> nodes in EDMX and if primitives show up as direct elements of the array, these elements are wrapped into individual primitive child nodes of the resulting collection as is. The rules for records and collections are applied recursively:

@Some.Collection: [
  null, true, 1, 3.14, 'foo',
  { $Type:'UI.DataField', Label:'Whatever', Hidden }
]
<Annotation Term="Some.Collection">
  <Collection>
    <Null/>
    <Bool>true</Bool>
    <Int>1</Int>
    <Decimal>3.14</Decimal>
    <String>foo</String>
    <Record Type="UI.DataField">
      <PropertyValue Property="Label" String="Whatever"/>
      <PropertyValue Property="Hidden" Bool="True"/>
    </Record>
  </Collection>
</Annotation>

References { #references }

Note: The @Some annotation isn't a valid term definition. The following example illustrates the rendering of reference values.

References in CDS annotations are mapped to Path properties or nested <Path> elements, respectively:

@Some.Term: My.Reference
@Some.Record: {
  Value: My.Reference
}
@Some.Collection: [
  My.Reference
]
<Annotation Term="Some.Term" Path="My/Reference"/>
<Annotation Term="Some.Record">
  <Record>
    <PropertyValue Property="Value" Path="My/Reference"/>
  </Record>
</Annotation>
<Annotation Term="Some.Collection">
  <Collection>
    <Path>My/Reference</Path>
  </Collection>
</Annotation>

As the compiler isn't aware of the semantics of such references, the mapping is very simplistic: each . in a path is replaced by a /. Use expression-valued annotations for more convenience.

Use a dynamic expression if the generic mapping can't produce the desired <Path>:

@Some.Term: {$edmJson: {$Path: '/com.sap.foo.EntityContainer/EntityName/FieldName'}}
<Annotation Term="Some.Term">
  <Path>/com.sap.foo.EntityContainer/EntityName/FieldName</Path>
</Annotation>

Enumeration Values

Enumeration symbols are mapped to corresponding EnumMember properties in OData.

Here are a couple of examples of enumeration values and the annotations that are generated. The first example is for a term in the Common vocabulary:

@Common.TextFormat: #html
<Annotation Term="Common.TextFormat" EnumMember="Common.TextFormatType/html"/>

The second example is for a (record type) term in the Communication vocabulary:

@Communication.Contact: {
  gender: #F
}
<Annotation Term="Communication.Contact">
  <Record Type="Communication.ContactType">
    <PropertyValue Property="gender" EnumMember="Communication.GenderType/F"/>
  </Record>
</Annotation>

Expressions { #expression-annotations }

If the value of an OData annotation is an expression, the OData backend provides improved handling of references and automatic mapping from CDS expression syntax to OData expression syntax.

Flattening

In contrast to simple references, the references in expression-like annotation values are correctly handled during model transformations, like other references in the model. When the CDS model is flattened for OData, the flattening is consequentially also applied to these references, and they are translated to the flat model.

::: tip

Although CAP supports structured types and elements, we recommend to use them only if they bring a real benefit. In general, you should keep your models as flat as possible.

:::

Example:

type Price {
  @Measures.ISOCurrency: (currency)
  amount : Decimal;
  currency : String(3);
}

service S {
  entity Product {
    key id : Integer;
    name : String;
    price : Price;
  }
}

Structured element price of S.Product is unfolded to flat elements price_amount and price_currency. Accordingly, the reference in the annotation is rewritten from currency to price_currency:

<Schema Namespace="S">
  <!-- ... -->
  <EntityType Name="Product">
    <!-- ... -->
    <Property Name="price_amount" Type="Edm.Decimal" Scale="variable"/>
    <Property Name="price_currency" Type="Edm.String" MaxLength="3"/>
  </EntityType>
  <Annotations Target="S.Product/price_amount">
    <Annotation Term="Measures.ISOCurrency" Path="price_currency"/>
  </Annotations>
</Schema>

Example:

service S {
  entity E {
    key id : Integer;
    f : Association to F;
    @Some.Term: (f.struc.y)
    val : Integer;
  }
  entity F {
    key id : Integer;
    struc {
      y : Integer;
    }
  }
}

The OData backend is aware of the semantics of a path and distinguishes association path steps from structure access. The CDS path f.struc.y is translated to the OData path f/struc_y:

<Schema Namespace="S">
  <!-- ... -->
  <EntityType Name="E">
    <!-- ... -->
    <NavigationProperty Name="f" Type="S.F"/>
    <Property Name="val" Type="Edm.Int32"/>
  </EntityType>
  <EntityType Name="F">
    <!-- ... -->
    <Property Name="struc_y" Type="Edm.Int32"/>
  </EntityType>
  <Annotations Target="S.E/val">
    <Annotation Term="Some.Term" Path="f/struc_y"/>
  </Annotations>
</Schema>

::: warning Restrictions concerning the foreign key elements of managed associations

  1. Usually an annotation assigned to a managed association is copied to the foreign key elements of the association. This is a workaround for the lack of possibility to directly annotate a foreign key element. This copy mechanism is not applied for annotations with expression values. So it is currently not possible to use expression-valued annotations for annotating foreign keys of a managed association.

  2. In an expression-valued annotation, it is not possible to reference the foreign key element of a managed association.

:::

Expression Translation

If the expression provided as annotation value is more complex than just a reference, the OData backend translates CDS expressions to the corresponding OData expression syntax and rejects those expressions that are not applicable in an OData API.

::: info

While the flattening of references described in the section above is applied to all annotations, the syntactic translation of expressions is only done for annotations defined in one of the OData vocabularies.

:::

The following operators and clauses of CDL are supported:

  • case when ... then ... else ... and the logical ternary operator ? :
  • Logical: and, or, not
  • Relational: =, <>, !=, <, <=, >, >=, in, between ... and ...
  • Unary + and -
  • Arithmetic: +, -, *, /, ||
  • cast(...)

Example:

@Some.Xpr: ( -(a + b) )
<Annotation Term="Some.Xpr">
  <Neg>
    <Add>
      <Path>a</Path>
      <Path>b</Path>
    </Add>
  </Neg>
</Annotation>

Such expressions can for example be used for some Fiori UI annotations:

service S {
  @UI.LineItem: [ // ...
  {
    Value: (status),
    Criticality: ( status = 'O' ? 2 : ( status = 'A' ? 3 : 0 ) )
  }]
  entity Order {
    key id : Integer;
    // ...
    status : String;
  }
}

If you need to access an element of an entity in an annotation for a bound action or function, use a path that navigates via an explicitly defined binding parameter.

Example:

service S {
  entity Order {
    key id : Integer;
    // ...
    status : String;
  } actions {
    @Core.OperationAvailable: ( :in.status <> 'A' )
    action accept (in: $self)
  }
}

In addition, the following functions are supported:

  • $Null() representing the null value
  • Div(...) (or $Div(...)) and Mod(...) (or $Mod(...)) for integer division and modulo
  • Has(...) (or $Has(...))
  • the functions listed in sections 5.1.1.5 through 5.1.1.11 of OData URL conventions
    • See examples below for the syntax for cast and isof (section 5.1.1.10)
    • The names of the geo functions (section 5.1.1.11) need to be escaped like
      ![geo.distance]
  • fillUriTemplate(...) and uriEncode(...)
  • Type(...) (or $Type(...)) is to be used to specify a type name with their corresponding type facets such as MaxLength(...), Precision(...), Scale(...) and SRID(...) (or $MaxLength(...), $Precision(...), $Scale(...), $SRID(...))

Example:

@Some.Func1: ( concat(a, b, c) )
@Some.Func2: ( round(aNumber) )
@Some.Func3: ( $Cast(aValue, $Type('Edm.Decimal', $Precision(38), $Scale(19)) ) )
@Some.Func4: ( $IsOf(aValue, $Type('Edm.Decimal', $Precision(38), $Scale(19)) ) )
@Some.Func5: ( ![geo.distance](a, b) )
@Some.Func6: ( fillUriTemplate(a, b) )

If a functional expression starts with a $, all inner function must also be $ functions and vice versa. Instead of [$]Type(...) an EDM primitive type name can be directly used as function name like in CDL.

It is worth to mention that there are two alternatives for the cast function, one in the EDM and one in the CDS domain:

@Some.ODataStyleCast:  ( Cast(aValue, Decimal(38, 'variable') ) )  // => Edm.Decimal
@Some.ODataStyleCast2: ( Cast(aValue, PrimitiveType()) )           // => Edm.PrimitiveType
@Some.SQLStyleCast:    ( cast(aValue as Decimal(38, variable)) )   // => cds.Decimal
@Some.SQLStyleCast2:   ( cast(aValue as String) )                  // => cds.String without type facets

Both cast functions look similar, but there are some differences:

The OData style Cast function starts with a capital letter and the SQL cast operator uses the keyword as to delimit the element reference from the type specifier. The OData Cast requires an EDM primitive type to be used either as [$]Type() or as direct type function whereas the SQL cast requires a scalar CDS type as argument which is then converted into the corresponding EDM primitive type.

::: info

CAP only provides a syntactic translation. It is up to each client whether an expression value is supported for a particular annotation. See for example Firori's list of supported annotations.

:::

Use a dynamic expression if the desired EDMX expression cannot be obtained via the automatic translation of a CDS expression.

Annotating Annotations { #annotating-annotations}

OData can annotate annotations. This often occurs in combination with enums like UI.Importance and UI.TextArrangement. CDS has no corresponding language feature. For OData annotations, nesting can be achieved in the following way:

  • To annotate a Record, add an additional element to the CDS source structure. The name of this element is the full name of the annotation, including the @. See @UI.Importance in the following example.
  • To annotate a single value or a Collection, add a parallel annotation that has the nested annotation name appended to the outer annotation name. See @UI.Criticality and @UI.TextArrangement in the following example.
@UI.LineItem: [
    {Value: ApplicationName, @UI.Importance: #High},
    {Value: Description},
    {Value: SourceName},
    {Value: ChangedBy},
    {Value: ChangedAt}
  ]
@UI.LineItem.@UI.Criticality: #Positive


@Common.Text: Text
@Common.Text.@UI.TextArrangement: #TextOnly

Alternatively, annotating a single value or a Collection by turning them into a structure with an artificial property $value is still possible, but deprecated:

@UI.LineItem: {
  $value:[ /* ... */ ], @UI.Criticality: #Positive
 }

@Common.Text: {
  $value: Text, @UI.TextArrangement: #TextOnly
}

As TextArrangement is common, there's a shortcut for this specific situation:

...
@Common: {
  Text: Text, TextArrangement: #TextOnly
}

In any case, the resulting EDMX is:

<Annotation Term="UI.LineItem">
  <Collection>
    <Record Type="UI.DataField">
      <PropertyValue Property="Value" Path="ApplicationName"/>
      <Annotation Term="UI.Importance" EnumMember="UI.ImportanceType/High"/>
    </Record>
    ...
  </Collection>
  <Annotation Term="UI.Criticality" EnumMember="UI.CriticalityType/Positive"/>
</Annotation>
<Annotation Term="Common.Text" Path="Text">
  <Annotation Term="UI.TextArrangement" EnumMember="UI.TextArrangementType/TextOnly"/>
</Annotation>

Dynamic Expressions { #dynamic-expressions}

OData supports dynamic expressions in annotations. For OData annotations you can use the "edm-json inline mechanism" by providing a dynamic expression as defined in the JSON representation of the OData Common Schema Language enclosed in { $edmJson: { ... }}.

Note that here the CDS syntax for string literals with single quotes ('foo') applies, and that paths are not automatically recognized but need to be written as {$Path: 'fieldName'}. The CDS compiler translates the expression into the corresponding XML representation.

For example, the CDS annotation:

@UI.Hidden: {$edmJson: {$Ne: [{$Path: 'status'}, 'visible']}}

is translated to:

<Annotation Term="UI.Hidden">
  <Ne>
    <Path>status</Path>
    <String>visible</String>
  </Ne>
</Annotation>

One of the main use cases for such dynamic expressions is SAP Fiori, but note that SAP Fiori supports dynamic expressions only for specific annotations.

::: tip Use expression-like annotation values

Instead of writing annotations directly with EDM JSON syntax, try using expression-like annotation values, which are automatically translated. For the example above you would simply write @UI.Hidden: (status <> 'visible').

:::

sap: Annotations

In general, back ends and SAP Fiori UIs understand or even expect OData V4 annotations. You should use those rather than the OData V2 SAP extensions.

If necessary, CDS automatically translates OData V4 annotations to OData V2 SAP extensions when invoked with v2 as the OData version. This means that you shouldn't have to deal with this at all.

Nevertheless, in case you need to do so, you can add sap:... attribute-style annotations as follows:

  @sap.applicable.path: 'to_eventStatus/EditEnabled'
  action EditEvent(...) returns SomeType;

Which would render to OData EDMX as follows:

  <FunctionImport Name="EditEvent" ...
    sap:applicable-path="to_eventStatus/EditEnabled">
    ...
  </FunctionImport>

The rules are:

  • Only strings are supported as values.
  • The first dot in @sap. is replaced by a colon :.
  • Subsequent dots are replaced by dashes.

Differences to ABAP

In contrast to ABAP CDS, we apply a generic, isomorphic approach where names and positions of annotations are exactly as specified in the OData Vocabularies. This has the following advantages:

  • Single source of truth — users only need to consult the official OData specs
  • Speed — we don't need complex case-by-case mapping logic
  • No bottlenecks — we always support the full set of OData annotations
  • Bidirectional mapping — we can translate CDS to EDMX and vice versa

Last but not least, it also saves us lots of effort as we don't have to write derivatives of all the OData vocabulary specs.

Annotation Vocabularies { #vocabularies}

When translating a CDS model to an OData API, by default only those annotations are considered that are part of the standard OASIS or SAP vocabularies listed below. You can add further vocabularies to the translation process using configuration.

OASIS Vocabularies { target="_blank"}

Vocabulary Description
@Aggregation{target="_blank"} for describing aggregatable data
@Authorization{target="_blank"} for authorization requirements
@Capabilities{target="_blank"} for restricting capabilities of a service
@Core{target="_blank"} for general purpose annotations
@JSON{target="_blank"} for JSON properties
@Measures{target="_blank"} for monetary amounts and measured quantities
@Repeatability{target="_blank"} for repeatable requests
@Temporal{target="_blank"} for temporal annotations
@Validation{target="_blank"} for adding validation rules

SAP Vocabularies{target="_blank"}

Vocabulary Description
@Analytics{target="_blank"} for annotating analytical resources
@CodeList{target="_blank"} for code lists
@Common{target="_blank"} for all SAP vocabularies
@Communication{target="_blank"} for annotating communication-relevant information
@DataIntegration{target="_blank"} for data integration
@PDF{target="_blank"} for PDF
@PersonalData{target="_blank"} for annotating personal data
@Session{target="_blank"} for sticky sessions for data modification
@UI{target="_blank"} for presenting data in user interfaces

Learn more about annotations in CDS and OData and how they work together{.learn-more}

Additional Vocabularies

Assuming you have a vocabulary com.MyCompany.vocabularies.MyVocabulary.v1, you can set the following configuration option:

::: code-group

{
  "cds": {
    "cdsc": {
      "odataVocabularies": {
        "MyVocabulary": {
          "Alias": "MyVocabulary",
          "Namespace": "com.sap.vocabularies.MyVocabulary.v1",
          "Uri": "<link to vocabulary document>"
        }
      }
    }
  }
}
{
  "cdsc": {
    "odataVocabularies": {
      "MyVocabulary": {
        "Alias": "MyVocabulary",
        "Namespace": "com.sap.vocabularies.MyVocabulary.v1",
        "Uri": "<link to vocabulary document>"
      }
    }
  }
}

:::

With this configuration, all annotations prefixed with MyVocabulary are considered in the translation.

service S {
  @MyVocabulary.MyAnno: 'My new Annotation'
  entity E { /*...*/ };
};

The annotation is added to the OData API, as well as the mandatory reference to the vocabulary definition:

<edmx:Reference Uri="link to vocabulary document">
  <edmx:Include Alias="MyVocabulary" Namespace="com.MyCompany.vocabularies.MyVocabulary.v1"/>
</edmx:Reference>
...
<Annotations Target="S.E">
  <Annotation Term="MyVocabulary.MyAnno" String="My new Annotation"/>
</Annotations>

The compiler neither evaluates the annotation values nor the URI. It is your responsibility to make the URI accessible if required. Unlike for the standard vocabularies listed above, the compiler has no access to the content of the vocabulary, so the values are translated completely generically.

Data Aggregation

Data aggregation in OData V4 is leveraged by the $apply system query option, which defines a pipeline of transformations that is applied to the input set specified by the URI. On the result set of the pipeline, the standard system query options come into effect.

Example

GET /Orders(10)/books?
    $apply=filter(year eq 2000)/
           groupby((author/name),aggregate(price with average as avg))/
    orderby(title)/
    top(3)

This request operates on the books of the order with ID 10. First it filters out the books from the year 2000 to an intermediate result set. The intermediate result set is then grouped by author name and the price is averaged. Finally, the result set is sorted by title and only the top 3 entries are retained.

::: warning If the groupby transformation only includes a subset of the entity keys, the result order might be unstable. :::

Transformations

Transformation Description Node.js Java
filter filter by filter expression
search filter by search term or expression
groupby group by dimensions and aggregates values
aggregate aggregate values
compute add computed properties to the result set
expand expand navigation properties
concat append additional aggregation to the result (1)
skip / top paginate (1)
orderby sort the input set (1)
topcount/bottomcount retain highest/lowest n values
toppercent/bottompercent retain highest/lowest p% values
topsum/bottomsum retain n values limited by sum
  • (1) Supported with experimental feature cds.features.odata_new_parser = true

concat

The concat transformation applies additional transformation sequences to the input set and concatenates the result:

GET /Books?$apply=
    filter(author/name eq 'Bram Stroker')/
    concat(
        aggregate($count as totalCount),
        groupby((year), aggregate($count as countPerYear)))

This request filters all books, keeping only books by Bram Stroker. From these books, concat calculates (1) the total count of books and (2) the count of books per year. The result is heterogeneous.

The concat transformation must be the last of the apply pipeline. If concat is used, then $apply can't be used in combination with other system query options.

skip, top, and orderby

Beyond the standard transformations specified by OData, CDS Java supports the transformations skip, top, and orderby that allow you to sort and paginate an input set:

GET /Order(10)/books?
    $apply=orderby(price desc)/
           top(500)/
           groupby((author/name),aggregate(price with max as maxPrice))

This query groups the 500 most expensive books by author name and determines the price of the most expensive book per author.

Aggregation Methods

Aggregation Method Description Node.js Java
min smallest value
max largest
sum sum of values
average average of values
countdistinct count of distinct values
custom method custom aggregation method
$count number of instances in input set

Custom Aggregates

Instead of explicitly using an expression with an aggregation method in the aggregate transformation, the client can use a custom aggregate. A custom aggregate can be considered as a virtual property that aggregates the input set. It's calculated on the server side. The client doesn't know How the custom aggregate is calculated.

They can only be used for the special case when a default aggregation method can be specified declaratively on the server side for a measure.

A custom aggregate is declared in the CDS model as follows:

  • The measure must be annotated with an @Aggregation.default annotation that specifies the aggregation method.
  • The CDS entity should be annotated with an @Aggregation.CustomAggregate annotation to expose the custom aggregate to the client.
@Aggregation.CustomAggregate#stock : 'Edm.Decimal'
entity Books as projection on bookshop.Books {
  ID,
  title,

  @Aggregation.default: #SUM
  stock
};

With this definition, it's now possible to use the custom aggregate stock in an aggregate transformation:

GET /Books?$apply=aggregate(stock) HTTP/1.1

which is equivalent to:

GET /Books?$apply=aggregate(stock with sum as stock) HTTP/1.1

Currencies and Units of Measure

If a property represents a monetary amount, it may have a related property that indicates the amount's currency code. Analogously, a property representing a measured quantity can be related to a unit of measure. To indicate that a property is a currency code or a unit of measure it can be annotated with the Semantics Annotations @Semantics.currencyCode or @Semantics.unitOfMeasure.

@Aggregation.CustomAggregate#amount   : 'Edm.Decimal'
@Aggregation.CustomAggregate#currency : 'Edm.String'
entity Sales {
    key id        : GUID;
        productId : GUID;
        @Semantics.amount.currencyCode: 'currency'
        amount    : Decimal(10,2);
        @Semantics.currencyCode
        currency  : String(3);
}

The CAP Java SDK exposes all properties annotated with @Semantics.currencyCode or @Semantics.unitOfMeasure as a custom aggregate with the property's name that returns:

  • The property's value if it's unique within a group of dimensions
  • null otherwise

A custom aggregate for a currency code or unit of measure should be also exposed by the @Aggregation.CustomAggregate annotation. Moreover, a property for a monetary amount or a measured quantity should be annotated with @Semantics.amount.currencyCode or @Semantics.quantity.unitOfMeasure to reference the corresponding property that holds the amount's currency code or the quantity's unit of measure, respectively.

Other Features

Feature Node.js Java
use path expressions in transformations
chain transformations
chain transformations within group by
groupby with rollup/$all
$expand result set of $apply
$filter/$search result set
sort result set with $orderby
paginate result set with $top/$skip

Open Types

An entity type or a complex type may be declared as open, allowing clients to add properties dynamically to instances of the type by specifying uniquely named property values in the payload used to insert or update an instance of the type. To indicate that the entity or complex type is open, the corresponding type must be annotated with @open:

service CatalogService {
  @open // [!code focus]
  entity Book { // [!code focus]
    key id : Integer; // [!code focus]
  } // [!code focus]
}

The cds build for OData v4 will render the entity type Book in edmx with the OpenType attribute set to true:

<EntityType Name="Book" OpenType="true"> // [!code focus]
  <Key>
    <PropertyRef Name="id"/>
  </Key>
  <Property Name="id" Type="Edm.Integer" Nullable="false"/>
</EntityType>

The entity Book is open, allowing the client to enrich the entity with additional properties, e.g.:

{"id": 1, "title": "Tow Sawyer"}

or

{"title": "Tow Sawyer",
 "author": { "name": "Mark Twain", "age": 74 } }

Open types can also be referenced in non-open types and entities. This, however, doesn't make the referencing entity or type open.

service CatalogService {
  type Order {
    guid: Integer;
    book: Book;
  }

  @open // [!code focus]
  type Book {} // [!code focus]
}

Following payload for Order is allowed:

{"guid": 1, "book": {"id": 2, "title": "Tow Sawyer"}}

Note that type Order itself is not open thus doesn't allow dynamic properties, in contrast to type Book.

::: warning Dynamic properties are not persisted in the underlying data source automatically and must be handled completely by custom code. :::

::: warning The full support of Open Types (@open) in OData is currently available for the Java Runtime only. The Node.js runtime currently only supports the feature for actions via REST. Full support will be available in the new OData adapter in @sap/cds^8. :::

Java Type Mapping

Simple Types

The simple values of deserialized JSON payload can be of type: String, Boolean, Number or simply an Object for null values.

JSON Java Type of the value
{"value": "Tom Sawyer"} java.lang.String
{"value": true} java.lang.Boolean
{"value": 42} java.lang.Number (Integer)
{"value": 36.6} java.lang.Number (BigDecimal)
{"value": null} java.lang.Object

Structured Types

The complex and structured types are deserialized to java.util.Map, whereas collections are deserialized to java.util.List.

JSON Java Type of the value
{"value": {"name": "Mark Twain"}} java.util.Map<String, Object>
{"value":[{"name": "Mark Twain"}, {"name": "Charlotte Bronte"}}]} java.util.List<Map<String, Object>>

Singletons

A singleton is a special one-element entity introduced in OData V4. It can be addressed directly by its name from the service root without specifying the entity's keys.

Annotate an entity with @odata.singleton or @odata.singleton.nullable, to use it as a singleton within a service, for example:

service Sue {
  @odata.singleton entity MySingleton {
    key id : String; // can be omitted in OData v4.01
    prop : String;
    assoc : Association to myEntity;
  }
}

It can also be defined as an ordered SELECT from another entity:

service Sue {
  @odata.singleton entity OldestEmployee as
    select from Employees order by birthyear;
}

Requesting Singletons

As mentioned above, singletons are accessed without specifying keys in the request URL. They can contain navigation properties, and other entities can include singletons as their navigation properties as well. The $expand query option is also supported.

GET …/MySingleton
GET …/MySingleton/prop
GET …/MySingleton/assoc
GET …/MySingleton?$expand=assoc

Updating Singletons

The following request updates a prop property of a singleton MySingleton:

PATCH/PUT …/MySingleton
{prop: “New value”}

Deleting Singletons

A DELETE request to a singleton is possible only if a singleton is annotated with @odata.singleton.nullable. An attempt to delete a singleton annotated with @odata.singleton will result in an error.

Creating Singletons

Since singletons represent a one-element entity, a POST request is not supported.

V2 Support

While CAP defaults to OData V4, the latest protocol version, some projects need to fallback to OData V2, for example, to keep using existing V2-based UIs.

Enabling OData V2 via Proxy in Node.js Apps { #odata-v2-proxy-node}

CAP Node.js supports serving the OData V2 protocol through the OData V2 adapter for CDS, which translates between the OData V2 and V4 protocols.

For Node.js projects, add the proxy as express.js middleware as follows:

  1. Add the adapter package to your project:

    npm add @cap-js-community/odata-v2-adapter
  2. Add this as a plugin to your project:

    ::: code-group

    {...
    "cds" : {
      "cov2ap" : {
        "plugin" : true
        }
      }
    }
    {
    "cov2ap" : {
      "plugin" : true
      }
    }

    :::

  3. Access OData V2 services at http://localhost:4004/v2/${path}.

  4. Access OData V4 services at http://localhost:4004/${path} (as before).

Example: Read service metadata for CatalogService:

  • CDS:

    @path:'/browse'
    service CatalogService { ... }
  • OData V2: GET http://localhost:4004/v2/browse/$metadata

  • OData V4: GET http://localhost:4004/browse/$metadata

Find detailed instructions at @cap-js-community/odata-v2-adapter.{.learn-more}

Using OData V2 in Java Apps

In CAP Java, serving the OData V2 protocol is supported natively by the CDS OData V2 Adapter.

Miscellaneous

Omitting Elements from APIs

Add annotation @cds.api.ignore to suppress unwanted entity fields (for example, foreign-key fields) in APIs exposed from this the CDS model, that is, OData or OpenAPI. For example:

entity Books { ...
  @cds.api.ignore
  author : Association to Authors;
}

Please note that @cds.api.ignore is effective on regular elements that are rendered as Edm.Property only. The annotation doesn't suppress an Edm.NavigationProperty which is rendered for associations or compositions. If a managed association is annotated, the annotations are propagated to the (generated) foreign keys. In the previous example, the foreign keys of the managed association author are muted in the API.

Absolute Context URL { #absolute-context-url}

In some scenarios, an absolute context URL is needed. In the Node.js runtime, this can be achieved through configuration cds.odata.contextAbsoluteUrl.

You can use your own URL (including a protocol and a service path), for example:

cds.odata.contextAbsoluteUrl = "https://your.domain.com/yourService"

to customize the annotation as follows:

{
  "@odata.context":"https://your.domain.com/yourService/$metadata#Books(title,author,ID)",
  "value":[
    {"ID": 201,"title": "Wuthering Heights","author": "Emily Brontë"},
    {"ID": 207,"title": "Jane Eyre","author": "Charlotte Brontë"},
    {"ID": 251,"title": "The Raven","author": "Edgar Allen Poe"}
  ]
}

If contextAbsoluteUrl is set to something truthy that doesn't match http(s)://*, an absolute path is constructed based on the environment of the application on a best effort basis.

Note that we encourage you to stay with the default relative format, if possible, as it's proxy safe.