eurecia API Eurecia API

🇫🇷 Bienvenue sur notre documentation API !

Notre API vous permet de lire des données présentes sur Eurécia mais également de créer de nouvelles données (exemple : création d’utilisateurs).

Notre documentation est partagée entre cette page et notre page Swagger. Cette dernière contient l’ensemble des nouvelles API au format JSON, tandis que celle-ci documente nos API historiques au format XML. Toute nouvelle API se trouvera sur Swagger.

L’utilisation de nos API requiert la génération d’un token depuis l’onglet “Administration” d’une fiche salarié : Accéder à l'API Eurécia.
Nos API utilisent un utilisateur pour réaliser les requêtes : l'utilisateur sur lequel le token est généré doit posséder des droits suffisants afin de compléter les actions souhaitées.

Envoyez ce token dans un HTTP Header (nommez le authToken) à l’adresse suivante : https://api.eurecia.com/eurecia/rest/v1/Auth.
Vous recevrez un token temporaire lié à cette toute nouvelle session.

Vous serez alors en mesurer d’utiliser nos API avec l’aide de notre documentation et en envoyant ce token temporaire dans le HTTP header à chacune de vos requêtes. Ex : GET https://api.eurecia.com/eurecia/rest/v1/VacationRequest?idCompany=yourIdCompany

Pour toutes questions sur l'API, vous pouvez contacter le support technique : [email protected].

🇬🇧 Welcome on our API documentation!

Our API allows you to read and create data in Eurécia (example : create new users).

Our documentation is shared between this page and Swagger. Swagger contains all our new API in JSON format, meanwhile this page documents all our historical API in XML format. All new API will be found in Swagger.

Using our API needs to generate a token from the “Admin” tab in an employee sheet. Our API uses a user to complete the requests : the user linked to the token has to possess enough rights in order to complete the wanted actions.

Simply send this token in an HTTP Header (naming it authToken) at the following address: https://api.eurecia.com/eurecia/rest/v1/Auth. You will receive a temporary token linked to your newly created session.

You will then be able to use our API with the help of the documentation below and by sending this temporary token in a HTTP header in each one of your requests. eg: GET https://api.eurecia.com/eurecia/rest/v1/VacationRequest?idCompany=yourIdCompany

If you have any question, feel free to contact our help desk at: [email protected].


Authentication steps reminder


1. Send the persistent token given by your administrator at the following address :
HTTP headers :
authToken : yourToken
https://api.eurecia.com/eurecia/rest/v1/Auth

2. Catch the response containing the limited session life token

3. Send your requests with this temporary token.
HTTP headers :
token : temporaryToken
eg: GET https://api.eurecia.com/eurecia/rest/v1/VacationRequest?company=yourIdCompany


Java code example


Below is a Java code example that authenticates to the server and lists all users.
This code uses java native operations to retrieve the data.
However, there are libraries that simplify the development, if you aim to deploy a consequent software here is a list of links you should visit :
http://docs.jboss.org/resteasy/docs/3.0-beta-3/userguide/html/RESTEasy_Client_Framework.html
http://www.mastertheboss.com/resteasy/resteasy-client-api-tutorial
http://howtodoinjava.com/2013/08/03/jax-rs-2-0-resteasy-3-0-2-final-client-api-example/
http://howtodoinjava.com/2013/05/21/resteasy-client-for-consuming-rest-apis/

This code is written using Java, however most programming languages support use of HTTP requests and DOM/SAX parser.
You can use this example to better understand the way to use the API and then use any language you feel comfortable with.


import java.net.HttpURLConnection;
import java.net.URL;

import javax.xml.parsers.DocumentBuilder;
import javax.xml.parsers.DocumentBuilderFactory;
import javax.xml.parsers.ParserConfigurationException;

import org.w3c.dom.Document;
import org.w3c.dom.Element;
import org.w3c.dom.Node;
import org.w3c.dom.NodeList;

public class RestClient
{
    //Set this URL according to the environment from which you want to retrieve data
    private static final String BASE_URL = "https://demo.eurecia.com/eurecia/rest/v1/";

    //Set this token from the Company Administration panel on your Eurecia platform
    private static final String TOKEN = "yourToken";

    private String temporaryToken;

    DocumentBuilderFactory dbFactory;

    DocumentBuilder dBuilder;

    
    public RestClient() throws ParserConfigurationException {
        super();
        this.dbFactory = DocumentBuilderFactory.newInstance();
        this.dBuilder = dbFactory.newDocumentBuilder();
    }

    public static void main(String[] args)
    {
        RestClient restClient;
        try
        {
            restClient = new RestClient();
            Document doc = restClient.getAllUsers();
            logElementList(doc);
        }
        catch (Exception e)
        {
            e.printStackTrace();
        }
    }

    /**
     * Write to the system out the content of each elements
     * @param node
     */

    private static void logElementList(Node node)
    {
        NodeList usersList = node.getChildNodes();
        for (int temp = 0; temp < usersList.getLength(); temp++)
        {
            Node nNode = usersList.item(temp);
            if(nNode.hasChildNodes())
            {
                logElementList(nNode);
            }
            if(nNode.getNodeType() == Node.ELEMENT_NODE)
            {
                System.out.println(nNode.getNodeName() + " : " + nNode.getTextContent());
            }
        }
    }

    /**
     * Fill the temporary token with a new token
     * @throws Exception
     */

    private void auth() throws Exception
    {
        URL authUrl = new URL(BASE_URL + "Auth");
        HttpURLConnection connection = (HttpURLConnection) authUrl.openConnection();
        connection.setRequestMethod("GET");

        // Set the authentication token as header
        connection.setRequestProperty("authToken", TOKEN);
        int responseCode = connection.getResponseCode();

        if (responseCode != 200)
        {
            temporaryToken = null;
            throw new Exception("Could not auth to the server : " + connection.getResponseMessage());
        }

        // Parse the XML response to get the temporary token
        Document doc = dBuilder.parse(connection.getInputStream());
        doc.getDocumentElement().normalize();
        NodeList nList = doc.getElementsByTagName("token");
        Element tokenElement = (Element) nList.item(0);
        temporaryToken = tokenElement.getTextContent();
    }

    /**
     * Retrieve all eurecia users
     * @return the server response as XML document
     * @throws Exception
     */

    private Document getAllUsers() throws Exception
    {
        URL usersUrl = new URL(BASE_URL + "User");
        HttpURLConnection connection = (HttpURLConnection) usersUrl.openConnection();
        connection.setRequestMethod("GET");

        // Authenticate to the server if not already done
        if (temporaryToken == null)
            auth();

        // Set the temporary token as header
        connection.setRequestProperty("token", temporaryToken);

        int responseCode = connection.getResponseCode();
        if (responseCode != 200)
        {
            throw new Exception("Could not retrive users : " + connection.getResponseMessage());
        }

        // Parse the XML response to get all users as XML
        Document doc = dBuilder.parse(connection.getInputStream());
        doc.getDocumentElement().normalize();
        return doc;
    }
}


Useful tips


- All responses from Eurecia webservices are availables in both JSON and XML formats. Simply fill the "Accept" header with either "application/xml" or "application/json" to get the response with the corresponding format. Default format is set to XML.

- All unique result response are formatted as follow :
<eureciaResponse> <itemType> <itemElement> </itemElement> <itemElement> </itemElement> </itemType> </eureciaResponse>

- All list responses are formatted as follow :
<eureciaResponse> <totalElementsFound>xx</totalElementsFound> <startPadding>xx</startPadding> <endPadding>xx</endPadding> <list> <item>...</item> <item>...</item> </list> </eureciaResponse>

- You can always specify the start and end padding to retrieve the result page you need. Note that the number of items is limited to 50 items, the result page will be truncated to 50 items if more items are specified.

If not specified, startPadding is 0: the result list starts with the first item
Examples:
startPadding=0&endPadding=40 : returns 40 items
startPadding=40&endPadding=80 : returns the next 40 items
startPadding=0&endPadding=1 : returns only the first item
startPadding=1&endPadding=2 : returns only the second item

- Most of non id parameters can be used as "like" search. As a result, you can find Mr Alain Terieur in the user list entering "Teri" as the lastname parameter.

- Be careful filtering data by ids. Most of them are actually concatenations of ids. See the following example to access a user :
<user> <id> <idUser>41d4c90d3ac613dae2cb0</idUser> <idCompany>EP0120628-105420</idCompany> <accessUrl>https://api.eurecia.com/eurecia/rest/v1/User/EP0120628-105420[.]41d4c90d3ac613dae2cb0</accessUrl> </id> ... </user>
The user id is EP0120628-105420[.]41d4c90d3ac613dae2cb0 (the concatenation of the company id and the inner user id).
Now let's say you want to list all time sheets related to this user, you should access the following url : https://api.eurecia.com/eurecia/rest/v1/TimeSheet?idUser=EP0120628-105420[.]41d4c90d3ac613dae2cb0

- To filter data by department or structure, the id is the concatenation of the company id, item number, parent item number, level and department/structure id (separated by [.]).
For example, for the following department:
<department> <id> <idCompany>MODELETEST12-20170921-164912</idCompany> <idCompanyOrganization>02-05-2010_1_1_6_4105</idCompanyOrganization> </id> <seqNumber>1</seqNumber> <parentItemNumber>1</parentItemNumber> <itemNumber>6</itemNumber> <position>2</position> <level>1</level> ... </department>
The department id is MODELETEST12-20170921-164912[.]6[.]1[.]1[.]02-05-2010_1_1_6_4105


Error messages


  • An unknown exception occurred.

    Error 50
  • Failed authentication. The token sent could be wrong or expired.

    Error 41
  • Access forbidden. Unauthorized access to the service or data.

    Error 43
  • Entity not found. Cannot found the required data with the specified id. The data could have been deleted or the id is wrong.

    Error 44
  • Argument error. A parameter is probably malformed. Have a look to the documentation to see example of well formed filters.

    Error 40
  • Rate limit exceeded. see: API Rate Limits.

    Error 88
  • Auth rate limit exceeded. see: API Rate Limits.

    Error 89


API Rate Limits


Authentication Request Limits :

After detecting several requests with invalid credentials within 15 minutes, the API will temporarily reject all authentication attempts from that IP address (including ones with valid credentials) with 403 Forbidden and this for 60 minutes:

<eureciaResponse> <error code="89"> Rate limit exceeded for authentication. Your IP address is blocked, retry at 1427385746 (UTC epoch seconds) </error> </eureciaResponse>

This error message contains, the remaining window before the IP address unlocks in UTC epoch seconds


Request Limits:

For all requests other than authentication, the number of requests is limited to 50 per minute.
Ensure that you inspect response headers, as they provide pertinent data on your current status for each rate limit :

  • the rate limit ceiling for that given request

    X-Rate-Limit-Limit
  • the number of requests left for the 1 minute window

    X-Rate-Limit-Remaining
  • the time when the rate limit will be reset in UTC epoch seconds

    X-Rate-Limit-Reset

When an application exceeds the rate limit, the Eurecia API will now return an http 429 Too Many Requests response code instead of the expected response.

<eureciaResponse> <error code="88">Rate limit exceeded</error> </eureciaResponse>


Release logs


Eurecia API v1.0a : 20/06/2013

General :
We added more information on the structure of all data id.

TimeSheetActivity list :
New filters :
- startDate
- endDate
- imputationUnit

Company and Company list :
The name of the following elements have changed :
- companyOrganizationArea => departments
- companyOrganizationArea.organization => department
- companyOrganizationArea2 => structures
- companyOrganizationArea2.organization => structure

VacationType :
The Vacation types are now availables through the Eurecia Web Services !

Budget :
The Budgets are now availables through the Eurecia Web Services !



Eurecia API v1.0b : 05/09/2013

Analytical axis :
The Analytical axis are now available through the Eurecia Web Services !



Eurecia API v1.0c : 02/10/2013

Analytical axis :
The Analytical accounts are now available through the Analytical axis web service !



Eurecia API v1.0d : 31/03/2015

API Rate Limits :
To prevent abuse, we add rate limits. see: API Rate Limits.



Eurecia API v1.1 : 06/11/2018

Vacation Accumulations:
The Vacation Accumulations (or Team Trackers) are now available through the Vacation Accumulation web service.

Administration

Response example : Company model GET/Company/{idCompany}
The response model for the Company service.

<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<eureciaResponse>
    <company>
        <userCreate>[email protected]</userCreate>
        <dateCreate>2008-04-01T13:55:35+02:00</dateCreate>
        <userUpdate>[email protected]</userUpdate>
        <dateUpdate>2019-03-27T18:00:51+01:00</dateUpdate>
        <id>dbf9905318f67aff011909d79c872b20</id>
        <description>MODELE 1</description>
        <type>free_trial</type>
        <locale>fr_FR</locale>
        <currency>EUR</currency>
        <email></email>
        <website></website>
        <flagDigiposte>false</flagDigiposte>
        <imposeUrl>false</imposeUrl>
        <profileId>
            <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
        </profileId>
        <employeeTurnover>0</employeeTurnover>
        <nbEmployees>20</nbEmployees>
        <nbUsers>20</nbUsers>
        <tolerance>6</tolerance>
        <backgroundColor>#2196f3</backgroundColor>
        <maxFilesLength>1000</maxFilesLength>
        <maxAttachedFilesSize>10</maxAttachedFilesSize>
        <idModules>0[.]2[.]1[.]4[.]3[.]5[.]7[.]b[.]8</idModules>
        <nbHoursPerDay>7.0</nbHoursPerDay>
        <adresses/>
        <phones/>
        <relatedCompanies/>
        <departments>
            <department>
                <id>
                    <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                    <idCompanyOrganization>02-05-2010_1_0_1_4099</idCompanyOrganization>
                    <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                    <idCompanyOrganization>02-05-2010_1_0_1_4099</idCompanyOrganization>
                </id>
                <seqNumber>1</seqNumber>
                <parentItemNumber>0</parentItemNumber>
                <itemNumber>1</itemNumber>
                <position>1</position>
                <level>0</level>
                <description>Direction Générale & Admin</description>
                <analyticCode></analyticCode>
                <siretNumber></siretNumber>
                <etablishmentCode></etablishmentCode>
                <companyCode></companyCode>
                <address></address>
                <idManager>dbf9905318f67aff011909edbeaa3309</idManager>
                <idCompanyManager>dbf9905318f67aff011909d79c872b20</idCompanyManager>
                <comment></comment>
            </department>
            <department>
                <id>
                    <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                    <idCompanyOrganization>02-05-2010_1_1_6_4105</idCompanyOrganization>
                    <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                    <idCompanyOrganization>02-05-2010_1_1_6_4105</idCompanyOrganization>
                </id>
                <seqNumber>1</seqNumber>
                <parentItemNumber>1</parentItemNumber>
                <itemNumber>6</itemNumber>
                <position>2</position>
                <level>1</level>
                <description>Comptabilité</description>
                <analyticCode></analyticCode>
                <siretNumber></siretNumber>
                <etablishmentCode></etablishmentCode>
                <companyCode></companyCode>
                <address></address>
                <idManager>dbf9905318f67aff011909edbeaa3309</idManager>
                <idCompanyManager>dbf9905318f67aff011909d79c872b20</idCompanyManager>
                <comment></comment>
            </department>
        </departments>
        <structures>
            <structure>
                <id>
                    <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                    <idCompanyOrganization>02-05-2010_5_0_2_3456</idCompanyOrganization>
                    <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                    <idCompanyOrganization>02-05-2010_5_0_2_3456</idCompanyOrganization>
                </id>
                <seqNumber>3</seqNumber>
                <parentItemNumber>0</parentItemNumber>
                <itemNumber>2</itemNumber>
                <position>3</position>
                <level>0</level>
                <description>Agence Toulouse</description>
                <analyticCode></analyticCode>
				<idManager>dbf9905318f67aff011909edbeaa3309</idManager>
				<idCompanyManager>dbf9905318f67aff011909d79c872b20</idCompanyManager>
                <comment></comment>
            </structure>
            <structure>
                <id>
                    <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                    <idCompanyOrganization>02-05-2010_6_0_6_3459</idCompanyOrganization>
                    <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                    <idCompanyOrganization>02-05-2010_6_0_6_3459</idCompanyOrganization>
                </id>
                <seqNumber>4</seqNumber>
                <parentItemNumber>0</parentItemNumber>
                <itemNumber>6</itemNumber>
                <position>4</position>
                <level>0</level>
                <description>..</description>
                <analyticCode></analyticCode>
                <comment></comment>
            </structure>
        </structures>
        <remindersEmails>
            <remindersEmails>
                <increment>-15</increment>
                <recipientReminder>validator</recipientReminder>
                <recipientOther></recipientOther>
                <condition>departure_date</condition>
                <itemStatus>request_not_yet_accepted</itemStatus>
                <itemType>email_reminder_vac_req</itemType>
            </remindersEmails>
            <remindersEmails>
                <increment>15</increment>
                <recipientReminder>validator</recipientReminder>
                <recipientOther></recipientOther>
                <condition>period_end_date</condition>
                <itemStatus>exp_rep_not_yet_payed</itemStatus>
                <itemType>email_reminder_exp_rep</itemType>
            </remindersEmails>
        </remindersEmails>
        <contactSupport>+33 5 62</contactSupport>
        <emailSupport>[email protected]</emailSupport>
        <dateEndAccess>3000-01-01T00:00:00+01:00</dateEndAccess>
        <useValidationByMail>true</useValidationByMail>
        <nbResources>0</nbResources>
        <companyConnectors>
            <companyConnector>
                <idConnector>sageLine100Std</idConnector>
                <idReport>sageLine100Std</idReport>
                <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                <description>Sage100</description>
                <order>1</order>
                <itemStatus>2</itemStatus>
                <manageAnalytic>false</manageAnalytic>
                <manageAuxiliary>false</manageAuxiliary>
            </companyConnector>
        </companyConnectors>
        <modifyPwdInitDate>2013-12-31T00:00:00+01:00</modifyPwdInitDate>
        <modifyPwdNbDays>0</modifyPwdNbDays>
        <groupedEmailFrequency></groupedEmailFrequency>
        <timezone>Europe/Brussels</timezone>
        <ipAddresses/>
		<idCompanyResponsible>dbf9905318f67aff011909edbeaa3309</idCompanyResponsible>
		<idCompanyResponsibleCompany>dbf9905318f67aff011909d79c872b20</idCompanyResponsibleCompany>
		<idUserDefaultDirectManager>companyResponsible</idUserDefaultDirectManager> <!-- Company responsible, available above -->
		<idCompanyDefaultDirectManager>dbf9905318f67aff011909d79c872b20</idCompanyDefaultDirectManager>
        <publicMessage>
            <item>
                <key>en_GB</key>
                <value xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="description">
                    <shortDescription>ENTER THE ERA OF DIGITAL HR</shortDescription>
                    <longDescription>Simplify and automate the management and tracking of administrative tasks: staff leave calendars, expense reports, time and activities, employee records (contracts, training, medicals, etc.), deduction of meal vouchers, and exporting of data to payroll and accounting.</longDescription>
                    <exportDate>2015-07-28T14:15:13+02:00</exportDate>
                    <importDate>2015-10-15T08:49:15+02:00</importDate>
                    <longDescription>Simplify and automate the management and tracking of administrative tasks: staff leave calendars, expense reports, time and activities, employee records (contracts, training, medicals, etc.), deduction of meal vouchers, and exporting of data to payroll and accounting.</longDescription>
                    <shortDescription>ENTER THE ERA OF DIGITAL HR</shortDescription>
                    <status>TRANSLATED</status>
                </value>
            </item>
        </publicMessage>
    </company>
</eureciaResponse>
					

Company

The company specified by an id.

The whole structure of the company is available here. So if your purpose is to list the company departments and structures you should get the company object.
Departments and structures have a specific arborescence. You should be able to reproduce this arborescence thanks to the elements level and position filled inside each structure and department.
The position indicate the absolute position of the item and the level show the level of the item in the tree list.
Another way to do this is to look at the elements itemNumber and parentItemNumber
Here is an example with the corresponding arborescence :

Data Matching arborescence
<structure> <parentItemNumber>0</parentItemNumber> <itemNumber>1</itemNumber> <position>1</position> <level>0</level> <description>Agences Toulouse</description> </structure> <structure> <parentItemNumber>1</parentItemNumber> <itemNumber>2</itemNumber> <position>2</position> <level>1</level> <description>Toulouse centre</description> </structure> <structure> <parentItemNumber>2</parentItemNumber> <itemNumber>3</itemNumber> <position>3</position> <level>2</level> <description>Agence Jean Jaures</description> </structure> <structure> <parentItemNumber>0</parentItemNumber> <itemNumber>4</itemNumber> <position>4</position> <level>0</level> <description>Agence Marseille</description> </structure> Agences Toulouse |- Toulouse centre |- Agence Jean Jaures Agence Marseille


Test console
Description
Parameter
string

The id of the requested company
Example: 4f5ze4f52ef1

idCompany

Required

Response example : Company list model GET/Company
The response model for the Company list service.

<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<eureciaResponse>
    <totalElementsFound>1</totalElementsFound>
    <startPadding>0</startPadding>
    <endPadding>10</endPadding>
    <list>
        <item xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="company">
            <userCreate>[email protected]</userCreate>
            <dateCreate>2008-04-01T13:55:35+02:00</dateCreate>
            <userUpdate>[email protected]</userUpdate>
            <dateUpdate>2019-03-27T18:00:51+01:00</dateUpdate>
            <id>dbf9905318f67aff011909d79c872b20</id>
            <description>MODELE 1</description>
            <type>free_trial</type>
            <locale>fr_FR</locale>
            <currency>EUR</currency>
            <email></email>
            <website></website>
            <flagDigiposte>false</flagDigiposte>
            <imposeUrl>false</imposeUrl>
            <profileId>
                <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
            </profileId>
            <employeeTurnover>0</employeeTurnover>
            <nbEmployees>20</nbEmployees>
            <nbUsers>20</nbUsers>
            <tolerance>6</tolerance>
            <backgroundColor>#2196f3</backgroundColor>
            <maxFilesLength>1000</maxFilesLength>
            <maxAttachedFilesSize>10</maxAttachedFilesSize>
            <idModules>0[.]2[.]1[.]4[.]3[.]5[.]7[.]b[.]8</idModules>
            <nbHoursPerDay>7.0</nbHoursPerDay>
            <adresses/>
            <phones/>
            <relatedCompanies/>
            <departments>
                <department>
                    <id>
                        <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                        <idCompanyOrganization>02-05-2010_1_0_1_4099</idCompanyOrganization>
                        <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                        <idCompanyOrganization>02-05-2010_1_0_1_4099</idCompanyOrganization>
                    </id>
                    <seqNumber>1</seqNumber>
                    <parentItemNumber>0</parentItemNumber>
                    <itemNumber>1</itemNumber>
                    <position>1</position>
                    <level>0</level>
                    <description>Direction Générale & Admin</description>
                    <analyticCode></analyticCode>
                    <siretNumber></siretNumber>
                    <etablishmentCode></etablishmentCode>
                    <companyCode></companyCode>
                    <address></address>
                    <idManager>dbf9905318f67aff011909edbeaa3309</idManager>
                    <idCompanyManager>dbf9905318f67aff011909d79c872b20</idCompanyManager>
                    <comment></comment>
                </department>
                <department>
                    <id>
                        <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                        <idCompanyOrganization>02-05-2010_1_1_6_4105</idCompanyOrganization>
                        <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                        <idCompanyOrganization>02-05-2010_1_1_6_4105</idCompanyOrganization>
                    </id>
                    <seqNumber>1</seqNumber>
                    <parentItemNumber>1</parentItemNumber>
                    <itemNumber>6</itemNumber>
                    <position>2</position>
                    <level>1</level>
                    <description>Comptabilité</description>
                    <analyticCode></analyticCode>
                    <siretNumber></siretNumber>
                    <etablishmentCode></etablishmentCode>
                    <companyCode></companyCode>
                    <address></address>
                    <idManager>dbf9905318f67aff011909edbeaa3309</idManager>
                    <idCompanyManager>dbf9905318f67aff011909d79c872b20</idCompanyManager>
                    <comment></comment>
                </department>
            </departments>
            <structures>
                <structure>
                    <id>
                        <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                        <idCompanyOrganization>02-05-2010_1_0_3_3455</idCompanyOrganization>
                        <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                        <idCompanyOrganization>02-05-2010_1_0_3_3455</idCompanyOrganization>
                    </id>
                    <seqNumber>1</seqNumber>
                    <parentItemNumber>0</parentItemNumber>
                    <itemNumber>3</itemNumber>
                    <position>1</position>
                    <level>0</level>
                    <description>Agence Lyon</description>
                    <analyticCode></analyticCode>
                    <comment></comment>
                </structure>
                <structure>
                    <id>
                        <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                        <idCompanyOrganization>02-05-2010_4_0_1_3458</idCompanyOrganization>
                        <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                        <idCompanyOrganization>02-05-2010_4_0_1_3458</idCompanyOrganization>
                    </id>
                    <seqNumber>2</seqNumber>
                    <parentItemNumber>0</parentItemNumber>
                    <itemNumber>1</itemNumber>
                    <position>2</position>
                    <level>0</level>
                    <description>Agence Paris</description>
                    <analyticCode></analyticCode>
                    <idManager>dbf9905318f67aff011909edbeaa3309</idManager>
                    <idCompanyManager>dbf9905318f67aff011909d79c872b20</idCompanyManager>
                    <comment></comment>
                </structure>
            </structures>
            <remindersEmails>
                <remindersEmails>
                    <increment>-15</increment>
                    <recipientReminder>validator</recipientReminder>
                    <recipientOther></recipientOther>
                    <condition>departure_date</condition>
                    <itemStatus>request_not_yet_accepted</itemStatus>
                    <itemType>email_reminder_vac_req</itemType>
                </remindersEmails>
                <remindersEmails>
                    <increment>15</increment>
                    <recipientReminder>validator</recipientReminder>
                    <recipientOther></recipientOther>
                    <condition>period_end_date</condition>
                    <itemStatus>exp_rep_not_yet_payed</itemStatus>
                    <itemType>email_reminder_exp_rep</itemType>
                </remindersEmails>
            </remindersEmails>
            <contactSupport>+33 5 62</contactSupport>
            <emailSupport>[email protected]</emailSupport>
            <dateEndAccess>3000-01-01T00:00:00+01:00</dateEndAccess>
            <useValidationByMail>true</useValidationByMail>
            <nbResources>0</nbResources>
            <companyConnectors>
                <companyConnector>
                    <idConnector>sageLine100Std</idConnector>
                    <idReport>sageLine100Std</idReport>
                    <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                    <description>Sage100</description>
                    <order>1</order>
                    <itemStatus>2</itemStatus>
                    <manageAnalytic>false</manageAnalytic>
                    <manageAuxiliary>false</manageAuxiliary>
                </companyConnector>
            </companyConnectors>
            <modifyPwdInitDate>2013-12-31T00:00:00+01:00</modifyPwdInitDate>
            <modifyPwdNbDays>0</modifyPwdNbDays>
            <groupedEmailFrequency></groupedEmailFrequency>
            <timezone>Europe/Brussels</timezone>
            <ipAddresses/>
			<idCompanyResponsible>dbf9905318f67aff011909edbeaa3309</idCompanyResponsible>
			<idCompanyResponsibleCompany>dbf9905318f67aff011909d79c872b20</idCompanyResponsibleCompany>
            <idUserDefaultDirectManager>companyOrganization2Responsible</idUserDefaultDirectManager> <!-- Structure manager, available on this API. 'companyOrganization1Responsible' corresponds to department manager -->
            <idCompanyDefaultDirectManager>dbf9905318f67aff011909d79c872b20</idCompanyDefaultDirectManager>
            <publicMessage>
                <item>
                    <key>en_GB</key>
                    <value xsi:type="description">
                        <shortDescription>ENTER THE ERA OF DIGITAL HR</shortDescription>
                        <longDescription>Simplify and automate the management and tracking of administrative tasks: staff leave calendars, expense reports, time and activities, employee records (contracts, training, medicals, etc.), deduction of meal vouchers, and exporting of data to payroll and accounting.</longDescription>
                        <exportDate>2015-07-28T14:15:13+02:00</exportDate>
                        <importDate>2015-10-15T08:49:15+02:00</importDate>
                        <longDescription>Simplify and automate the management and tracking of administrative tasks: staff leave calendars, expense reports, time and activities, employee records (contracts, training, medicals, etc.), deduction of meal vouchers, and exporting of data to payroll and accounting.</longDescription>
                        <shortDescription>ENTER THE ERA OF DIGITAL HR</shortDescription>
                        <status>TRANSLATED</status>
                    </value>
                </item>
            </publicMessage>
        </item>
    </list>
</eureciaResponse>
					

Company list

The list of companies filtered according to the parameters.


Test console
Description
Parameter
string

Companies are sent packed by 50, startPadding defines the row number of the first returned item
Example: 0

startPadding

Optional

string

endPadding defines the row number of the last returned item.
Example: 10

endPadding

Optional

string

The city of the company.
Example: Toulouse

city

Optional

string

The date of end access for the company in the format DD/MM/YYYY or YYYY-MM-DD depending on your Eurecia locale configuration
Example: 23/01/2013

dateEndAccess

Optional

string

The description of the company.
Example: eurecia

description

Optional

string

The id of the requested company.
Example: 4f5e4fj6zef

id

Optional

string

The zip code of the company.
Example: 31000

zipCode

Optional

Response example : User model GET/User/{idUser}
The response model for the User service.

<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<eureciaResponse>
    <user>
        <userCreate>[email protected]</userCreate>
        <dateCreate>2010-06-11T18:43:23+02:00</dateCreate>
        <userUpdate>[email protected]</userUpdate>
        <dateUpdate>2011-12-13T12:31:55+01:00</dateUpdate>
        <id>
            <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
            <idUser>41d4c93529279d58012927e4f415460f</idUser>
			<accessUrl>https://api.eurecia.com/eurecia/rest/v1/User/dbf9905318f67aff011909d79c872b20[.]41d4c93529279d58012927e4f415460f</accessUrl>
        </id>
        <refNumber>421009</refNumber>
        <otherAccount>Cost code</otherAccount>
        <otherAccount2>Cost code 2</otherAccount2>
        <gender>Miss</gender>
        <firstName>Morgane</firstName>
        <lastName>AUGER</lastName>
        <jobTitle>Consultant</jobTitle>
        <hourlyCost>25.00</hourlyCost>
        <hourlySellingPrice>35.00</hourlySellingPrice>
        <dailyCost>200.00</dailyCost>
        <dailySellingPrice>280.00</dailySellingPrice>
        <idCompanyDepartment>02-05-2010_5_0_5_4098</idCompanyDepartment>
        <idCompanyStructure>02-05-2010_5_0_2_3456</idCompanyStructure>
        <hasLogin>true</hasLogin>
        <emailAddress>[email protected]</emailAddress>
        <locale>fr_FR</locale>
        <timezone>Europe/Brussels</timezone>
        <idProfile>dbf990531910ad840119110b39552221</idProfile>
        <idCompanyProfile>dbf9905318f67aff011909d79c872b20</idCompanyProfile>
        <birthdayDate>1981-08-17T00:00:00+02:00</birthdayDate>
        <monthlyGrossSalary>1390.65</monthlyGrossSalary>
		<hourlyGrossSalary>50.0</hourlyGrossSalary>
		<annualGrossSalary>20000.0</annualGrossSalary>
        <currency>EUR</currency>
        <user_currency>EUR</user_currency>
        <workingTimeUnit>day</workingTimeUnit>
        <weeklyWorkingTime>40.0</weeklyWorkingTime>
        <yearlyWorkingTime>160.0</yearlyWorkingTime>
        <workingTimeRate>80.0</workingTimeRate>
        <hiringDate>2006-11-01T00:00:00+01:00</hiringDate>
        <seniorityShift>0</seniorityShift>
        <workContract>udc</workContract>
		<addresses>
			<item>
				<key>main</key>
				<value xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="address">
					<repetition>EMPTY</repetition>
					<address1>3  rue de la Bobinette</address1>
					<address2></address2>
					<zipCode> 56007</zipCode>
					<city>CITY</city>
					<country>undefined</country>
				</value>
			</item>
		</addresses>
		<phones>
			<phone>
				<id>b4f9600c-a326-4728-a32c-16e312x736q1</id>
				<type>main</type>
				<phoneNumber>55555555</phoneNumber>
				<ownerName>ownerName</ownerName>
			</phone>
		</phones>
        <relatedUsers/>
		<userDirectManagers>
			<directManager>
				<idManager>84d4c8e1-22a9-4844-8366-cb394db34d43</idManager> <!-- ID of the relation -->
				<idUser>companyResponsible</idUser> <!-- ID of the direct manager. In this case, company responsible, available on Company API -->
				<idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
			</directManager>
		</userDirectManagers>
        <backgroundColor></backgroundColor>
        <textColor></textColor>
        <isArchived>false</isArchived>
        <flagMealVoucher>true</flagMealVoucher>
        <userManagers>
            <manager>
                <id>dbf990531b93662c011b9c7f3c946e70</id>
                <validationLevel>1</validationLevel>
                <validationType>GENERAL</validationType>
                <idUser>dbf990531995b12d011995e950b91879</idUser>
                <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                <comment></comment>
                <email>[email protected]</email>
                <lastname>LEBLANC</lastname>
                <firstname>Hélène</firstname>
            </manager>
        </userManagers>
        <idVacationProfile>dbf990531add00a1011ade9e27c22ea5</idVacationProfile>
        <idVacationCompanyProfile>dbf9905318f67aff011909d79c872b20</idVacationCompanyProfile>
        <flagSendICalVacationRequest>false</flagSendICalVacationRequest>
        <idBaremReimbursement>557b34be107cd3dd01107cdd24570053</idBaremReimbursement>
        <idCompanyBaremReimbursement>dbf9905318f67aff011909d79c872b20</idCompanyBaremReimbursement>
        <displayAnalyticalAccountInOneColumn>false</displayAnalyticalAccountInOneColumn>
        <hasACar>false</hasACar>
        <hasAFuelCard>false</hasAFuelCard>
        <transportMode></transportMode>
		<additionalField1>Field 1</additionalField1>
		<additionalField2>Field 2</additionalField2>
		<additionalField3>Field 3</additionalField3>
		<additionalField4>Field 4</additionalField4>
		<additionalField5>Field 5</additionalField5>
		<benefits1>Avantage 1</benefits1>
		<benefits2>Avantage 2</benefits2>
		<benefits3>Avantage 3</benefits3>
		<benefits4>Avantage 4</benefits4>
		<benefits5>Avantage 5</benefits5>
		<benefits6>Avantage 6</benefits6>
    </user>
</eureciaResponse>
					

User

The user specified by an id : idCompany[.]idUser


Test console
Description
Parameter
string

The id of the requested user.
This id is a concatenation of :
- the id of the company
- the inner id of the user
Example: EP4d5ef2t5[.]efze5gve2

idUser

Required

Response example : User list model GET/User
The response model for the User list service.

<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<eureciaResponse>
    <totalElementsFound>10</totalElementsFound>
    <startPadding>0</startPadding>
    <endPadding>2</endPadding>
    <list>
        <item 
            xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="user">
            <userCreate>[email protected]</userCreate>
			<dateCreate>2010-06-11T18:43:23+02:00</dateCreate>
			<userUpdate>[email protected]</userUpdate>
			<dateUpdate>2011-12-13T12:31:55+01:00</dateUpdate>
			<id>
				<idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
				<idUser>41d4c93529279d58012927e4f415460f</idUser>
				<accessUrl>https://api.eurecia.com/eurecia/rest/v1/User/dbf9905318f67aff011909d79c872b20[.]41d4c93529279d58012927e4f415460f</accessUrl>
			</id>
			<refNumber>421009</refNumber>
			<otherAccount>Cost code</otherAccount>
			<otherAccount2>Cost code 2</otherAccount2>
			<gender>Miss</gender>
			<firstName>Morgane</firstName>
			<lastName>AUGER</lastName>
			<jobTitle>Consultant</jobTitle>
			<hourlyCost>25.00</hourlyCost>
			<hourlySellingPrice>35.00</hourlySellingPrice>
			<dailyCost>200.00</dailyCost>
			<dailySellingPrice>280.00</dailySellingPrice>
			<idCompanyDepartment>02-05-2010_5_0_5_4098</idCompanyDepartment>
			<idCompanyStructure>02-05-2010_5_0_2_3456</idCompanyStructure>
			<hasLogin>true</hasLogin>
			<emailAddress>[email protected]</emailAddress>
			<locale>fr_FR</locale>
			<timezone>Europe/Brussels</timezone>
			<idProfile>dbf990531910ad840119110b39552221</idProfile>
			<idCompanyProfile>dbf9905318f67aff011909d79c872b20</idCompanyProfile>
			<birthdayDate>1981-08-17T00:00:00+02:00</birthdayDate>
			<monthlyGrossSalary>1390.65</monthlyGrossSalary>
			<hourlyGrossSalary>50.0</hourlyGrossSalary>
			<annualGrossSalary>20000.0</annualGrossSalary>
			<currency>EUR</currency>
			<user_currency>EUR</user_currency>
			<workingTimeUnit>day</workingTimeUnit>
			<weeklyWorkingTime>40.0</weeklyWorkingTime>
			<yearlyWorkingTime>160.0</yearlyWorkingTime>
			<workingTimeRate>80.0</workingTimeRate>
			<hiringDate>2006-11-01T00:00:00+01:00</hiringDate>
			<seniorityShift>0</seniorityShift>
			<workContract>udc</workContract>
			<addresses>
				<item>
					<key>main</key>
					<value xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="address">
						<repetition>EMPTY</repetition>
						<address1>3  rue de la Bobinette</address1>
						<address2></address2>
						<zipCode> 56007</zipCode>
						<city>CITY</city>
						<country>undefined</country>
					</value>
				</item>
			</addresses>
			<phones>
				<phone>
					<id>b4f9600c-a326-4728-a32c-16e312x736q1</id>
					<type>main</type>
					<phoneNumber>55555555</phoneNumber>
					<ownerName>ownerName</ownerName>
				</phone>
			</phones>
			<relatedUsers/>
			<userDirectManagers>
				<directManager>
					<idManager>591a1081-72ea-44da-91bd-ba8198a761b2</idManager> <!-- ID of the relation -->
					<idUser>dbf990531995b12d011995e950b91879</idUser> <!-- ID of the direct manager (user) -->
					<idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
				</directManager>
			</userDirectManagers>
			<backgroundColor></backgroundColor>
			<textColor></textColor>
			<isArchived>false</isArchived>
			<flagMealVoucher>true</flagMealVoucher>
			<userManagers>
				<manager>
					<id>dbf990531b93662c011b9c7f3c946e70</id>
					<validationLevel>1</validationLevel>
					<validationType>GENERAL</validationType>
					<idUser>dbf990531995b12d011995e950b91879</idUser>
					<idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
					<comment></comment>
					<email>[email protected]</email>
					<lastname>LEBLANC</lastname>
					<firstname>Hélène</firstname>
				</manager>
			</userManagers>
			<idVacationProfile>dbf990531add00a1011ade9e27c22ea5</idVacationProfile>
			<idVacationCompanyProfile>dbf9905318f67aff011909d79c872b20</idVacationCompanyProfile>
			<flagSendICalVacationRequest>false</flagSendICalVacationRequest>
			<idBaremReimbursement>557b34be107cd3dd01107cdd24570053</idBaremReimbursement>
			<idCompanyBaremReimbursement>dbf9905318f67aff011909d79c872b20</idCompanyBaremReimbursement>
			<displayAnalyticalAccountInOneColumn>false</displayAnalyticalAccountInOneColumn>
			<hasACar>false</hasACar>
			<hasAFuelCard>false</hasAFuelCard>
			<transportMode></transportMode>
			<additionalField1>Field 1</additionalField1>
			<additionalField2>Field 2</additionalField2>
			<additionalField3>Field 3</additionalField3>
			<additionalField4>Field 4</additionalField4>
			<additionalField5>Field 5</additionalField5>
			<benefits1>Avantage 1</benefits1>
			<benefits2>Avantage 2</benefits2>
			<benefits3>Avantage 3</benefits3>
			<benefits4>Avantage 4</benefits4>
			<benefits5>Avantage 5</benefits5>
			<benefits6>Avantage 6</benefits6>
        </item>
        <item 
            xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="user">
            <userCreate>[email protected]</userCreate>
            			<dateCreate>2010-06-11T18:43:23+02:00</dateCreate>
			<userUpdate>[email protected]</userUpdate>
			<dateUpdate>2011-12-13T12:31:55+01:00</dateUpdate>
			<id>
				<idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
				<idUser>41d4c93529279d58012927e95fba465b</idUser>
				<accessUrl>https://api.eurecia.com/eurecia/rest/v1/User/dbf9905318f67aff011909d79c872b20[.]41d4c93529279d58012927e95fba465b</accessUrl>
			</id>
			<refNumber>421005</refNumber>
			<otherAccount>Cost code</otherAccount>
			<otherAccount2>Cost code 2</otherAccount2>
			<gender>Mr</gender>
			<firstName>Renaud</firstName>
			<lastName>BARREAU</lastName>
			<jobTitle>Consultant</jobTitle>
			<hourlyCost>25.00</hourlyCost>
			<hourlySellingPrice>35.00</hourlySellingPrice>
			<dailyCost>200.00</dailyCost>
			<dailySellingPrice>280.00</dailySellingPrice>
			<idCompanyDepartment>02-05-2010_4_0_4_4102</idCompanyDepartment>
			<idCompanyStructure>02-05-2010_2_0_5_3457</idCompanyStructure>
			<hasLogin>true</hasLogin>
			<emailAddress>[email protected]</emailAddress>
			<locale>fr_FR</locale>
			<timezone>Europe/Brussels</timezone>
			<idProfile>dbf990531910ad840119110b39552221</idProfile>
			<idCompanyProfile>dbf9905318f67aff011909d79c872b20</idCompanyProfile>
			<birthdayDate>1981-08-17T00:00:00+02:00</birthdayDate>
			<monthlyGrossSalary>1390.65</monthlyGrossSalary>
			<hourlyGrossSalary>50.0</hourlyGrossSalary>
			<annualGrossSalary>20000.0</annualGrossSalary>
			<currency>EUR</currency>
			<user_currency>EUR</user_currency>
			<workingTimeUnit>day</workingTimeUnit>
			<weeklyWorkingTime>40.0</weeklyWorkingTime>
			<yearlyWorkingTime>160.0</yearlyWorkingTime>
			<workingTimeRate>80.0</workingTimeRate>
			<hiringDate>2006-11-01T00:00:00+01:00</hiringDate>
			<seniorityShift>0</seniorityShift>
			<workContract>udc</workContract>
			<addresses>
				<item>
					<key>main</key>
					<value xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="address">
						<repetition>EMPTY</repetition>
						<address1>3  rue de la Bobinette</address1>
						<address2></address2>
						<zipCode> 56007</zipCode>
						<city>CITY</city>
						<country>undefined</country>
					</value>
				</item>
			</addresses>
			<phones>
				<phone>
					<id>b4f9600c-a326-4728-a32c-16e312x736q1</id>
					<type>main</type>
					<phoneNumber>55555555</phoneNumber>
					<ownerName>ownerName</ownerName>
				</phone>
			</phones>
			<relatedUsers/>
			<userDirectManagers>
				<directManager>
					<idManager>6076adda-fffa-4a72-8671-ca637a451f0d</idManager> <!-- ID of the relation -->
					<idUser>companyOrganization1Responsible</idUser> <!-- ID of the direct manager. In this case, department manager, available on Company API. 'companyOrganization2Responsible' corresponds to structure manager -->
					<idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
				</directManager>
			</userDirectManagers>
			<backgroundColor></backgroundColor>
			<textColor></textColor>
			<isArchived>false</isArchived>
			<flagMealVoucher>true</flagMealVoucher>
			<userManagers>
				<manager>
					<id>dbf990531b93662c011b9c7f3c946e70</id>
					<validationLevel>1</validationLevel>
					<validationType>GENERAL</validationType>
					<idUser>41d4c93529279d58012927e2e1b245d0</idUser>
					<idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
					<comment></comment>
					<email>[email protected]</email>
					<lastname>GUEFFIER</lastname>
					<firstname>Arthur</firstname>
				</manager>
			</userManagers>
			<idVacationProfile>dbf990531add00a1011ade9e27c22ea5</idVacationProfile>
			<idVacationCompanyProfile>dbf9905318f67aff011909d79c872b20</idVacationCompanyProfile>
			<flagSendICalVacationRequest>false</flagSendICalVacationRequest>
			<idBaremReimbursement>557b34be107cd3dd01107cdd24570053</idBaremReimbursement>
			<idCompanyBaremReimbursement>dbf9905318f67aff011909d79c872b20</idCompanyBaremReimbursement>
			<displayAnalyticalAccountInOneColumn>false</displayAnalyticalAccountInOneColumn>
			<hasACar>false</hasACar>
			<hasAFuelCard>false</hasAFuelCard>
			<transportMode></transportMode>
			<additionalField1>Field 1</additionalField1>
			<additionalField2>Field 2</additionalField2>
			<additionalField3>Field 3</additionalField3>
			<additionalField4>Field 4</additionalField4>
			<additionalField5>Field 5</additionalField5>
			<benefits1>Avantage 1</benefits1>
			<benefits2>Avantage 2</benefits2>
			<benefits3>Avantage 3</benefits3>
			<benefits4>Avantage 4</benefits4>
			<benefits5>Avantage 5</benefits5>
			<benefits6>Avantage 6</benefits6>
        </item>
    </list>
</eureciaResponse>
					

User list

The list of users filtered according to the parameters.


Test console
Description
Parameter
string

Users are sent packed by 50, startPadding defines the row number of the first returned item
Example: 0

startPadding

Optional

string

endPadding defines the row number of the last returned item.
Example: 10

endPadding

Optional

string

The description of the user company.
Example: eurecia

descrCompany

Optional

boolean

Search in archived users data if true and in the active user if false (default : false).

displayArchivedUsers

Optional

string

The user first name.
Example: John

firstname

Optional

string

The id of the company of the requested users.
Example: zef54e3fzef846

idCompany

Optional

string

the id of the department which the user depend on.
The id is the concatenation of the company id, item number, parent item number, level and department id.
Example: 20110811-144658[.]6[.]0[.]0[.]41d4c90d32cbd292bb535e23 See useful tips for more details.

idDepartment

Optional

string

the id of the structure which the user depend on.
The id is the concatenation of the company id, item number, parent item number, level and structure id.
Example: 20110811-144658[.]6[.]0[.]0[.]41d4c90d32cbd292bb535e23 See useful tips for more details.

idStructure

Optional

string

The user job title.
Example: developer

jobTitle

Optional

string

The user hourly cost.
Example: 25.00

hourlyCost

Optional

string

The user hourly selling price.
Example: 35.00

hourlySellingPrice

Optional

string

The user daily cost.
Example: 200

dailyCost

Optional

string

The user daily selling price.
Example: 280.00

dailySellingPrice

Optional

string

The user last name.
Example: Doe

lastname

Optional

string

The user email address.
Example: [email protected]

mail

Optional

string

The user phone number.
Example: 0680507060

phone

Optional

string

The profile of the user.
Example: Standard

profile

Optional

string

The vacation profile of the user.
Example: Standard

vacationProfile

Optional

Response example : Analytical axis model GET/AnalyticalAxis/{idAnalyticalAxis}
The response model for the Analytical axis service.
<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<eureciaResponse>
    <analyticalAxis>
        <userCreate>[email protected]</userCreate>
        <dateCreate>2008-03-28T19:51:13+01:00</dateCreate>
        <userUpdate>[email protected]</userUpdate>
        <dateUpdate>2013-02-20T15:04:18+01:00</dateUpdate>
        <id>
            <idImputationStructure>dbf99af818f6814d0118f6bab4150050</idImputationStructure>
            <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
            <accessUrl>https://api.eurecia.com/eurecia/rest/v1/AnalyticalAxis/dbf9905318f67aff011909d79c872b20[.]dbf99af818f6814d0118f6bab4150050</accessUrl>
        </id>
        <description>
            <shortDescription>Tâches</shortDescription>
            <longDescription>Structure d'imputation budgétaire</longDescription>
            <commentary>Ventilation par tâches</commentary>
        </description>
        <isActive>true</isActive>
        <isDisplayInTimesheet>true</isDisplayInTimesheet>
        <isDisplayInExpRep>false</isDisplayInExpRep>
        <isDisplayInActivity>false</isDisplayInActivity>
        <isRepartitionKeyActive>false</isRepartitionKeyActive>
        <isHideDuringCapture>false</isHideDuringCapture>
        <isForceToFill>false</isForceToFill>
        <isForceToFillFieldComment>false</isForceToFillFieldComment>
        <order>3</order>
        <idImputationUnit>days</idImputationUnit>
        <imputationColor>#FF99FF</imputationColor>
        <forceFillTarget>imputation</forceFillTarget>
        <analyticalAccounts>
            <analyticalAccount>
                <userCreate></userCreate>
                <dateCreate>2012-06-12T16:51:00+02:00</dateCreate>
                <idAnalyticalAccount>
                    <idAnalyticalAccount>dbf99af818f6814d0118f6bab414004c</idAnalyticalAccount>
                    <idAnalyticalAxis>
                        <idImputationStructure>dbf99af818f6814d0118f6bab4150050</idImputationStructure>
                        <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                        <accessUrl>https://api.eurecia.com/eurecia/rest/v1/AnalyticalAxis/dbf9905318f67aff011909d79c872b20[.]dbf99af818f6814d0118f6bab4150050</accessUrl>
                    </idAnalyticalAxis>
                </idAnalyticalAccount>
                <invoiceMode>actualPrice</invoiceMode>
                <numSeq>1</numSeq>
                <numParentItem>0</numParentItem>
                <numItem>39</numItem>
                <description>Tâche 1</description>
                <itemInfo></itemInfo>
                <isSelectable>true</isSelectable>
                <isActive>true</isActive>
                <isConditionOtherElements>false</isConditionOtherElements>
                <costTarget>imputation</costTarget>
                <sellingPriceTarget>imputation</sellingPriceTarget>
                <analyticCode>CC-X123</analyticCode>
                <itemColor>#99FF00</itemColor>
                <timesheetHourlyCost>0.0</timesheetHourlyCost>
                <timesheetHourlySellingPrice>0.0</timesheetHourlySellingPrice>
                <timesheetNbHoursRef>0.0</timesheetNbHoursRef>
                <timesheetDailyCost>280.0</timesheetDailyCost>
                <timesheetDailySellingPrice>360.0</timesheetDailySellingPrice>
                <timesheetNbDaysRef>31.25</timesheetNbDaysRef>
                <expensesBudgetRef>11250.0</expensesBudgetRef>
                <position>1</position>
                <level>0</level>
                <userAccounts/>
                <accountsAssociations/>
                <accountsResponsibles/>
                <isThereUserImputationItems>false</isThereUserImputationItems>
            </analyticalAccount>
            <analyticalAccount>
                <userCreate></userCreate>
                <dateCreate>2012-06-12T16:51:00+02:00</dateCreate>
                <idAnalyticalAccount>
                    <idAnalyticalAccount>dbf99af818f6814d0118f6bab414004d</idAnalyticalAccount>
                    <idAnalyticalAxis>
                        <idImputationStructure>dbf99af818f6814d0118f6bab4150050</idImputationStructure>
                        <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                        <accessUrl>https://api.eurecia.com/eurecia/rest/v1/AnalyticalAxis/dbf9905318f67aff011909d79c872b20[.]dbf99af818f6814d0118f6bab4150050</accessUrl>
                    </idAnalyticalAxis>
                </idAnalyticalAccount>
                <invoiceMode>actualPrice</invoiceMode>
                <numSeq>2</numSeq>
                <numParentItem>0</numParentItem>
                <numItem>40</numItem>
                <description>Tâche 2</description>
                <itemInfo></itemInfo>
                <isSelectable>true</isSelectable>
                <isActive>true</isActive>
                <isConditionOtherElements>false</isConditionOtherElements>
                <costTarget>imputation</costTarget>
                <sellingPriceTarget>imputation</sellingPriceTarget>
                <analyticCode>CC-M928</analyticCode>
                <itemColor>#9966CC</itemColor>
                <timesheetHourlyCost>0.0</timesheetHourlyCost>
                <timesheetHourlySellingPrice>0.0</timesheetHourlySellingPrice>
                <timesheetNbHoursRef>0.0</timesheetNbHoursRef>
                <timesheetDailyCost>280.0</timesheetDailyCost>
                <timesheetDailySellingPrice>400.0</timesheetDailySellingPrice>
                <timesheetNbDaysRef>12.5</timesheetNbDaysRef>
                <expensesBudgetRef>5000.0</expensesBudgetRef>
                <position>2</position>
                <level>0</level>
                <userAccounts/>
                <accountsAssociations/>
                <accountsResponsibles/>
                <isThereUserImputationItems>false</isThereUserImputationItems>
            </analyticalAccount>
            <analyticalAccount>
                <userCreate></userCreate>
                <dateCreate>2012-06-12T16:51:00+02:00</dateCreate>
                <idAnalyticalAccount>
                    <idAnalyticalAccount>dbf99af818f6814d0118f6bab414004e</idAnalyticalAccount>
                    <idAnalyticalAxis>
                        <idImputationStructure>dbf99af818f6814d0118f6bab4150050</idImputationStructure>
                        <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                        <accessUrl>https://api.eurecia.com/eurecia/rest/v1/AnalyticalAxis/dbf9905318f67aff011909d79c872b20[.]dbf99af818f6814d0118f6bab4150050</accessUrl>
                    </idAnalyticalAxis>
                </idAnalyticalAccount>
                <invoiceMode>actualPrice</invoiceMode>
                <numSeq>3</numSeq>
                <numParentItem>0</numParentItem>
                <numItem>41</numItem>
                <description>Tâche 3</description>
                <itemInfo></itemInfo>
                <isSelectable>true</isSelectable>
                <isActive>true</isActive>
                <isConditionOtherElements>false</isConditionOtherElements>
                <costTarget>imputation</costTarget>
                <sellingPriceTarget>imputation</sellingPriceTarget>
                <analyticCode>CC-T781</analyticCode>
                <itemColor>#FF3300</itemColor>
                <timesheetHourlyCost>0.0</timesheetHourlyCost>
                <timesheetHourlySellingPrice>0.0</timesheetHourlySellingPrice>
                <timesheetNbHoursRef>0.0</timesheetNbHoursRef>
                <timesheetDailyCost>280.0</timesheetDailyCost>
                <timesheetDailySellingPrice>336.0</timesheetDailySellingPrice>
                <timesheetNbDaysRef>125.0</timesheetNbDaysRef>
                <expensesBudgetRef>42000.0</expensesBudgetRef>
                <position>3</position>
                <level>0</level>
                <userAccounts/>
                <accountsAssociations/>
                <accountsResponsibles/>
                <isThereUserImputationItems>false</isThereUserImputationItems>
            </analyticalAccount>
            <analyticalAccount>
                <userCreate></userCreate>
                <dateCreate>2012-06-12T16:51:00+02:00</dateCreate>
                <idAnalyticalAccount>
                    <idAnalyticalAccount>dbf99af818f6814d0118f6bab415004f</idAnalyticalAccount>
                    <idAnalyticalAxis>
                        <idImputationStructure>dbf99af818f6814d0118f6bab4150050</idImputationStructure>
                        <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                        <accessUrl>https://api.eurecia.com/eurecia/rest/v1/AnalyticalAxis/dbf9905318f67aff011909d79c872b20[.]dbf99af818f6814d0118f6bab4150050</accessUrl>
                    </idAnalyticalAxis>
                </idAnalyticalAccount>
                <invoiceMode>actualPrice</invoiceMode>
                <numSeq>4</numSeq>
                <numParentItem>0</numParentItem>
                <numItem>42</numItem>
                <description>Tâche 4</description>
                <itemInfo></itemInfo>
                <isSelectable>true</isSelectable>
                <isActive>true</isActive>
                <isConditionOtherElements>false</isConditionOtherElements>
                <costTarget>imputation</costTarget>
                <sellingPriceTarget>imputation</sellingPriceTarget>
                <analyticCode>CC-B555</analyticCode>
                <itemColor>#66FFCC</itemColor>
                <timesheetHourlyCost>0.0</timesheetHourlyCost>
                <timesheetHourlySellingPrice>0.0</timesheetHourlySellingPrice>
                <timesheetNbHoursRef>0.0</timesheetNbHoursRef>
                <timesheetDailyCost>320.0</timesheetDailyCost>
                <timesheetDailySellingPrice>400.0</timesheetDailySellingPrice>
                <timesheetNbDaysRef>37.5</timesheetNbDaysRef>
                <expensesBudgetRef>15000.0</expensesBudgetRef>
                <position>4</position>
                <level>0</level>
                <userAccounts/>
                <accountsAssociations/>
                <accountsResponsibles/>
                <isThereUserImputationItems>false</isThereUserImputationItems>
            </analyticalAccount>
            <analyticalAccount>
                <userCreate></userCreate>
                <dateCreate>2012-06-12T16:51:00+02:00</dateCreate>
                <idAnalyticalAccount>
                    <idAnalyticalAccount>dbf9d1aa21a4f5f00121a51b99f000f0</idAnalyticalAccount>
                    <idAnalyticalAxis>
                        <idImputationStructure>dbf99af818f6814d0118f6bab4150050</idImputationStructure>
                        <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                        <accessUrl>https://api.eurecia.com/eurecia/rest/v1/AnalyticalAxis/dbf9905318f67aff011909d79c872b20[.]dbf99af818f6814d0118f6bab4150050</accessUrl>
                    </idAnalyticalAxis>
                </idAnalyticalAccount>
                <invoiceMode>actualPrice</invoiceMode>
                <numSeq>1</numSeq>
                <numParentItem>42</numParentItem>
                <numItem>43</numItem>
                <description>Tâche 4.1</description>
                <itemInfo></itemInfo>
                <isSelectable>true</isSelectable>
                <isActive>true</isActive>
                <isConditionOtherElements>false</isConditionOtherElements>
                <costTarget>imputation</costTarget>
                <sellingPriceTarget>imputation</sellingPriceTarget>
                <analyticCode>CD-B6532</analyticCode>
                <timesheetHourlyCost>0.0</timesheetHourlyCost>
                <timesheetHourlySellingPrice>0.0</timesheetHourlySellingPrice>
                <timesheetNbHoursRef>0.0</timesheetNbHoursRef>
                <timesheetDailyCost>0.0</timesheetDailyCost>
                <timesheetDailySellingPrice>0.0</timesheetDailySellingPrice>
                <timesheetNbDaysRef>0.0</timesheetNbDaysRef>
                <expensesBudgetRef>0.0</expensesBudgetRef>
                <position>5</position>
                <level>1</level>
                <userAccounts/>
                <accountsAssociations/>
                <accountsResponsibles/>
                <isThereUserImputationItems>false</isThereUserImputationItems>
            </analyticalAccount>
            <analyticalAccount>
                <userCreate>[email protected]</userCreate>
                <dateCreate>2013-02-20T14:59:57+01:00</dateCreate>
                <idAnalyticalAccount>
                    <idAnalyticalAccount>4edf1c5e-32c0-4c18-9985-9241c46b39ef</idAnalyticalAccount>
                    <idAnalyticalAxis>
                        <idImputationStructure>dbf99af818f6814d0118f6bab4150050</idImputationStructure>
                        <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                        <accessUrl>https://api.eurecia.com/eurecia/rest/v1/AnalyticalAxis/dbf9905318f67aff011909d79c872b20[.]dbf99af818f6814d0118f6bab4150050</accessUrl>
                    </idAnalyticalAxis>
                </idAnalyticalAccount>
                <invoiceMode>actualPrice</invoiceMode>
                <numSeq>2</numSeq>
                <numParentItem>42</numParentItem>
                <numItem>44</numItem>
                <description>Tâche 4.2</description>
                <isSelectable>true</isSelectable>
                <isActive>true</isActive>
                <isConditionOtherElements>false</isConditionOtherElements>
                <costTarget>imputation</costTarget>
                <sellingPriceTarget>imputation</sellingPriceTarget>
                <analyticCode>CD-B6533</analyticCode>
                <timesheetHourlyCost>0.0</timesheetHourlyCost>
                <timesheetHourlySellingPrice>0.0</timesheetHourlySellingPrice>
                <timesheetNbHoursRef>0.0</timesheetNbHoursRef>
                <timesheetDailyCost>150.0</timesheetDailyCost>
                <timesheetDailySellingPrice>200.0</timesheetDailySellingPrice>
                <timesheetNbDaysRef>28.7</timesheetNbDaysRef>
                <expensesBudgetRef>3000.0</expensesBudgetRef>
                <position>6</position>
                <level>1</level>
                <userAccounts/>
                <accountsAssociations/>
                <accountsResponsibles/>
                <isThereUserImputationItems>false</isThereUserImputationItems>
            </analyticalAccount>
        </analyticalAccounts>
    </analyticalAxis>
</eureciaResponse>

					

Analytical axis

The Analytical axis specified by an id : idCompany [.] idAnalyticalAxis


Test console
Description
Parameter
string

The id of the requested Analytical axis.
This id is a concatenation of :
- the id of the company
- the inner id of the Analytical axis
Example: EP4d5ef2t5[.]efze5gve2

idAnalyticalAxis

Required

Response example : Analytical axis list model GET/AnalyticalAxis
The response model for the Analytical axis list service.
<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<eureciaResponse>
    <totalElementsFound>2</totalElementsFound>
    <startPadding>0</startPadding>
    <endPadding>2</endPadding>
    <list>
		<item 
            xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="imputationStructure">
            <userCreate>[email protected]</userCreate>
            <dateCreate>2006-07-27T20:19:05+02:00</dateCreate>
            <userUpdate>[email protected]</userUpdate>
            <dateUpdate>2012-06-12T16:50:52+02:00</dateUpdate>
            <id>
                <idImputationStructure>402880830caee63a010cb1360fd50084</idImputationStructure>
                <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                <accessUrl>https://api.eurecia.com/eurecia/rest/v1/AnalyticalAxis/dbf9905318f67aff011909d79c872b20[.]402880830caee63a010cb1360fd50084</accessUrl>
            </id>
            <description>
                <shortDescription>Projets</shortDescription>
                <longDescription>Structure d'imputation budgétaire</longDescription>
                <commentary>Ventilation par projet</commentary>
            </description>
            <isActive>true</isActive>
            <isDisplayInTimesheet>true</isDisplayInTimesheet>
            <isDisplayInExpRep>true</isDisplayInExpRep>
            <isDisplayInActivity>true</isDisplayInActivity>
            <isRepartitionKeyActive>false</isRepartitionKeyActive>
            <isHideDuringCapture>false</isHideDuringCapture>
            <isForceToFill>false</isForceToFill>
            <isForceToFillFieldComment>false</isForceToFillFieldComment>
            <order>2</order>
            <idImputationUnit>days</idImputationUnit>
            <imputationColor>#CCFF99</imputationColor>
            <forceFillTarget>imputation</forceFillTarget>
            <analyticalAccounts>
                <analyticalAccount>
                    <userCreate></userCreate>
                    <numSeq>0</numSeq>
                    <numParentItem>0</numParentItem>
                    <numItem>0</numItem>
                    <isSelectable>false</isSelectable>
                    <isActive>false</isActive>
                    <isConditionOtherElements>false</isConditionOtherElements>
                    <isThereUserImputationItems>false</isThereUserImputationItems>
                </analyticalAccount>
                <analyticalAccount>
                    <userCreate></userCreate>
                    <numSeq>0</numSeq>
                    <numParentItem>0</numParentItem>
                    <numItem>0</numItem>
                    <isSelectable>false</isSelectable>
                    <isActive>false</isActive>
                    <isConditionOtherElements>false</isConditionOtherElements>
                    <isThereUserImputationItems>false</isThereUserImputationItems>
                </analyticalAccount>
                <analyticalAccount>
                    <userCreate></userCreate>
                    <numSeq>0</numSeq>
                    <numParentItem>0</numParentItem>
                    <numItem>0</numItem>
                    <isSelectable>false</isSelectable>
                    <isActive>false</isActive>
                    <isConditionOtherElements>false</isConditionOtherElements>
                    <isThereUserImputationItems>false</isThereUserImputationItems>
                </analyticalAccount>
                <analyticalAccount>
                    <userCreate></userCreate>
                    <dateCreate>2012-06-12T16:50:52+02:00</dateCreate>
                    <idAnalyticalAccount>
                        <idAnalyticalAccount>402880830caee63a010cb1360fd5007e</idAnalyticalAccount>
                        <idAnalyticalAxis>
                            <idImputationStructure>402880830caee63a010cb1360fd50084</idImputationStructure>
                            <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                            <accessUrl>https://api.eurecia.com/eurecia/rest/v1/AnalyticalAxis/dbf9905318f67aff011909d79c872b20[.]402880830caee63a010cb1360fd50084</accessUrl>
                        </idAnalyticalAxis>
                    </idAnalyticalAccount>
                    <invoiceMode>actualPrice</invoiceMode>
                    <numSeq>4</numSeq>
                    <numParentItem>0</numParentItem>
                    <numItem>50</numItem>
                    <description>Projet 4</description>
                    <itemInfo></itemInfo>
                    <isSelectable>true</isSelectable>
                    <isActive>true</isActive>
                    <isConditionOtherElements>false</isConditionOtherElements>
                    <costTarget>imputation</costTarget>
                    <sellingPriceTarget>imputation</sellingPriceTarget>
                    <analyticCode>YJ-096Z</analyticCode>
                    <itemColor>#99FF00</itemColor>
                    <timesheetHourlyCost>0.0</timesheetHourlyCost>
                    <timesheetHourlySellingPrice>0.0</timesheetHourlySellingPrice>
                    <timesheetNbHoursRef>0.0</timesheetNbHoursRef>
                    <timesheetDailyCost>0.0</timesheetDailyCost>
                    <timesheetDailySellingPrice>0.0</timesheetDailySellingPrice>
                    <timesheetNbDaysRef>150.0</timesheetNbDaysRef>
                    <expensesBudgetRef>45000.0</expensesBudgetRef>
                    <position>9</position>
                    <level>0</level>
                    <userAccounts/>
                    <accountsAssociations/>
                    <accountsResponsibles/>
                    <isThereUserImputationItems>false</isThereUserImputationItems>
                </analyticalAccount>
                <analyticalAccount>
                    <userCreate></userCreate>
                    <numSeq>0</numSeq>
                    <numParentItem>0</numParentItem>
                    <numItem>0</numItem>
                    <isSelectable>false</isSelectable>
                    <isActive>false</isActive>
                    <isConditionOtherElements>false</isConditionOtherElements>
                    <isThereUserImputationItems>false</isThereUserImputationItems>
                </analyticalAccount>
                <analyticalAccount>
                    <userCreate></userCreate>
                    <numSeq>0</numSeq>
                    <numParentItem>0</numParentItem>
                    <numItem>0</numItem>
                    <isSelectable>false</isSelectable>
                    <isActive>false</isActive>
                    <isConditionOtherElements>false</isConditionOtherElements>
                    <isThereUserImputationItems>false</isThereUserImputationItems>
                </analyticalAccount>
                <analyticalAccount>
                    <userCreate></userCreate>
                    <numSeq>0</numSeq>
                    <numParentItem>0</numParentItem>
                    <numItem>0</numItem>
                    <isSelectable>false</isSelectable>
                    <isActive>false</isActive>
                    <isConditionOtherElements>false</isConditionOtherElements>
                    <isThereUserImputationItems>false</isThereUserImputationItems>
                </analyticalAccount>
                <analyticalAccount>
                    <userCreate></userCreate>
                    <dateCreate>2012-06-12T16:50:52+02:00</dateCreate>
                    <idAnalyticalAccount>
                        <idAnalyticalAccount>402880830caee63a010cb1360fd5007c</idAnalyticalAccount>
                        <idAnalyticalAxis>
                            <idImputationStructure>402880830caee63a010cb1360fd50084</idImputationStructure>
                            <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                            <accessUrl>https://api.eurecia.com/eurecia/rest/v1/AnalyticalAxis/dbf9905318f67aff011909d79c872b20[.]402880830caee63a010cb1360fd50084</accessUrl>
                        </idAnalyticalAxis>
                    </idAnalyticalAccount>
                    <invoiceMode>actualPrice</invoiceMode>
                    <numSeq>8</numSeq>
                    <numParentItem>0</numParentItem>
                    <numItem>54</numItem>
                    <description>Projet 8</description>
                    <itemInfo>terminé le 20/03/2008</itemInfo>
                    <isSelectable>true</isSelectable>
                    <isActive>true</isActive>
                    <isConditionOtherElements>false</isConditionOtherElements>
                    <costTarget>imputation</costTarget>
                    <sellingPriceTarget>imputation</sellingPriceTarget>
                    <analyticCode>II-TR76</analyticCode>
                    <itemColor>#6633FF</itemColor>
                    <timesheetHourlyCost>0.0</timesheetHourlyCost>
                    <timesheetHourlySellingPrice>0.0</timesheetHourlySellingPrice>
                    <timesheetNbHoursRef>0.0</timesheetNbHoursRef>
                    <timesheetDailyCost>0.0</timesheetDailyCost>
                    <timesheetDailySellingPrice>0.0</timesheetDailySellingPrice>
                    <timesheetNbDaysRef>0.0</timesheetNbDaysRef>
                    <expensesBudgetRef>0.0</expensesBudgetRef>
                    <position>13</position>
                    <level>0</level>
                    <userAccounts/>
                    <accountsAssociations/>
                    <accountsResponsibles/>
                    <isThereUserImputationItems>false</isThereUserImputationItems>
                </analyticalAccount>
                <analyticalAccount>
                    <userCreate></userCreate>
                    <dateCreate>2012-06-12T16:50:52+02:00</dateCreate>
                    <idAnalyticalAccount>
                        <idAnalyticalAccount>dbf9d1aa1ceb06da011d05bfd75f38a2</idAnalyticalAccount>
                        <idAnalyticalAxis>
                            <idImputationStructure>402880830caee63a010cb1360fd50084</idImputationStructure>
                            <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                            <accessUrl>https://api.eurecia.com/eurecia/rest/v1/AnalyticalAxis/dbf9905318f67aff011909d79c872b20[.]402880830caee63a010cb1360fd50084</accessUrl>
                        </idAnalyticalAxis>
                    </idAnalyticalAccount>
                    <invoiceMode>actualPrice</invoiceMode>
                    <numSeq>1</numSeq>
                    <numParentItem>47</numParentItem>
                    <numItem>55</numItem>
                    <description>Lot A</description>
                    <itemInfo></itemInfo>
                    <isSelectable>true</isSelectable>
                    <isActive>true</isActive>
                    <isConditionOtherElements>false</isConditionOtherElements>
                    <costTarget>imputation</costTarget>
                    <sellingPriceTarget>imputation</sellingPriceTarget>
                    <analyticCode></analyticCode>
                    <timesheetHourlyCost>0.0</timesheetHourlyCost>
                    <timesheetHourlySellingPrice>0.0</timesheetHourlySellingPrice>
                    <timesheetNbHoursRef>0.0</timesheetNbHoursRef>
                    <timesheetDailyCost>0.0</timesheetDailyCost>
                    <timesheetDailySellingPrice>500.0</timesheetDailySellingPrice>
                    <timesheetNbDaysRef>10.0</timesheetNbDaysRef>
                    <expensesBudgetRef>5000.0</expensesBudgetRef>
                    <position>2</position>
                    <level>1</level>
                    <userAccounts/>
                    <accountsAssociations/>
                    <accountsResponsibles/>
                    <isThereUserImputationItems>false</isThereUserImputationItems>
                </analyticalAccount>
                <analyticalAccount>
                    <userCreate></userCreate>
                    <dateCreate>2012-06-12T16:50:52+02:00</dateCreate>
                    <idAnalyticalAccount>
                        <idAnalyticalAccount>dbf9d1aa1ceb06da011d05bfd75f38a3</idAnalyticalAccount>
                        <idAnalyticalAxis>
                            <idImputationStructure>402880830caee63a010cb1360fd50084</idImputationStructure>
                            <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                            <accessUrl>https://api.eurecia.com/eurecia/rest/v1/AnalyticalAxis/dbf9905318f67aff011909d79c872b20[.]402880830caee63a010cb1360fd50084</accessUrl>
                        </idAnalyticalAxis>
                    </idAnalyticalAccount>
                    <invoiceMode>actualPrice</invoiceMode>
                    <numSeq>2</numSeq>
                    <numParentItem>47</numParentItem>
                    <numItem>56</numItem>
                    <description>Lot B</description>
                    <itemInfo></itemInfo>
                    <isSelectable>true</isSelectable>
                    <isActive>true</isActive>
                    <isConditionOtherElements>false</isConditionOtherElements>
                    <costTarget>imputation</costTarget>
                    <sellingPriceTarget>imputation</sellingPriceTarget>
                    <analyticCode></analyticCode>
                    <timesheetHourlyCost>0.0</timesheetHourlyCost>
                    <timesheetHourlySellingPrice>0.0</timesheetHourlySellingPrice>
                    <timesheetNbHoursRef>0.0</timesheetNbHoursRef>
                    <timesheetDailyCost>0.0</timesheetDailyCost>
                    <timesheetDailySellingPrice>500.0</timesheetDailySellingPrice>
                    <timesheetNbDaysRef>90.0</timesheetNbDaysRef>
                    <expensesBudgetRef>45000.0</expensesBudgetRef>
                    <position>3</position>
                    <level>1</level>
                    <userAccounts/>
                    <accountsAssociations/>
                    <accountsResponsibles/>
                    <isThereUserImputationItems>false</isThereUserImputationItems>
                </analyticalAccount>
                <analyticalAccount>
                    <userCreate></userCreate>
                    <numSeq>0</numSeq>
                    <numParentItem>0</numParentItem>
                    <numItem>0</numItem>
                    <isSelectable>false</isSelectable>
                    <isActive>false</isActive>
                    <isConditionOtherElements>false</isConditionOtherElements>
                    <isThereUserImputationItems>false</isThereUserImputationItems>
                </analyticalAccount>
                <analyticalAccount>
                    <userCreate></userCreate>
                    <numSeq>0</numSeq>
                    <numParentItem>0</numParentItem>
                    <numItem>0</numItem>
                    <isSelectable>false</isSelectable>
                    <isActive>false</isActive>
                    <isConditionOtherElements>false</isConditionOtherElements>
                    <isThereUserImputationItems>false</isThereUserImputationItems>
                </analyticalAccount>
                <analyticalAccount>
                    <userCreate></userCreate>
                    <numSeq>0</numSeq>
                    <numParentItem>0</numParentItem>
                    <numItem>0</numItem>
                    <isSelectable>false</isSelectable>
                    <isActive>false</isActive>
                    <isConditionOtherElements>false</isConditionOtherElements>
                    <isThereUserImputationItems>false</isThereUserImputationItems>
                </analyticalAccount>
            </analyticalAccounts>
        </item>
        <item 
            xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="imputationStructure">
            <userCreate>[email protected]</userCreate>
            <dateCreate>2008-03-28T19:51:13+01:00</dateCreate>
            <userUpdate>[email protected]</userUpdate>
            <dateUpdate>2013-02-20T15:04:18+01:00</dateUpdate>
            <id>
                <idImputationStructure>dbf99af818f6814d0118f6bab4150050</idImputationStructure>
                <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                <accessUrl>https://api.eurecia.com/eurecia/rest/v1/AnalyticalAxis/dbf9905318f67aff011909d79c872b20[.]dbf99af818f6814d0118f6bab4150050</accessUrl>
            </id>
            <description>
                <shortDescription>Tâches</shortDescription>
                <longDescription>Structure d'imputation budgétaire</longDescription>
                <commentary>Ventilation par tâches</commentary>
            </description>
            <isActive>true</isActive>
            <isDisplayInTimesheet>true</isDisplayInTimesheet>
            <isDisplayInExpRep>false</isDisplayInExpRep>
            <isDisplayInActivity>false</isDisplayInActivity>
            <isRepartitionKeyActive>false</isRepartitionKeyActive>
            <isHideDuringCapture>false</isHideDuringCapture>
            <isForceToFill>false</isForceToFill>
            <isForceToFillFieldComment>false</isForceToFillFieldComment>
            <order>3</order>
            <idImputationUnit>days</idImputationUnit>
            <imputationColor>#FF99FF</imputationColor>
            <forceFillTarget>imputation</forceFillTarget>
            <analyticalAccounts>
                <analyticalAccount>
                    <userCreate></userCreate>
                    <dateCreate>2012-06-12T16:51:00+02:00</dateCreate>
                    <idAnalyticalAccount>
                        <idAnalyticalAccount>dbf99af818f6814d0118f6bab414004c</idAnalyticalAccount>
                        <idAnalyticalAxis>
                            <idImputationStructure>dbf99af818f6814d0118f6bab4150050</idImputationStructure>
                            <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                            <accessUrl>https://api.eurecia.com/eurecia/rest/v1/AnalyticalAxis/dbf9905318f67aff011909d79c872b20[.]dbf99af818f6814d0118f6bab4150050</accessUrl>
                        </idAnalyticalAxis>
                    </idAnalyticalAccount>
                    <invoiceMode>actualPrice</invoiceMode>
                    <numSeq>1</numSeq>
                    <numParentItem>0</numParentItem>
                    <numItem>39</numItem>
                    <description>Tâche 1</description>
                    <itemInfo></itemInfo>
                    <isSelectable>true</isSelectable>
                    <isActive>true</isActive>
                    <isConditionOtherElements>false</isConditionOtherElements>
                    <costTarget>imputation</costTarget>
                    <sellingPriceTarget>imputation</sellingPriceTarget>
                    <analyticCode>CC-X123</analyticCode>
                    <itemColor>#99FF00</itemColor>
                    <timesheetHourlyCost>0.0</timesheetHourlyCost>
                    <timesheetHourlySellingPrice>0.0</timesheetHourlySellingPrice>
                    <timesheetNbHoursRef>0.0</timesheetNbHoursRef>
                    <timesheetDailyCost>280.0</timesheetDailyCost>
                    <timesheetDailySellingPrice>360.0</timesheetDailySellingPrice>
                    <timesheetNbDaysRef>31.25</timesheetNbDaysRef>
                    <expensesBudgetRef>11250.0</expensesBudgetRef>
                    <position>1</position>
                    <level>0</level>
                    <userAccounts/>
                    <accountsAssociations/>
                    <accountsResponsibles/>
                    <isThereUserImputationItems>false</isThereUserImputationItems>
                </analyticalAccount>
                <analyticalAccount>
                    <userCreate></userCreate>
                    <dateCreate>2012-06-12T16:51:00+02:00</dateCreate>
                    <idAnalyticalAccount>
                        <idAnalyticalAccount>dbf99af818f6814d0118f6bab414004d</idAnalyticalAccount>
                        <idAnalyticalAxis>
                            <idImputationStructure>dbf99af818f6814d0118f6bab4150050</idImputationStructure>
                            <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                            <accessUrl>https://api.eurecia.com/eurecia/rest/v1/AnalyticalAxis/dbf9905318f67aff011909d79c872b20[.]dbf99af818f6814d0118f6bab4150050</accessUrl>
                        </idAnalyticalAxis>
                    </idAnalyticalAccount>
                    <invoiceMode>actualPrice</invoiceMode>
                    <numSeq>2</numSeq>
                    <numParentItem>0</numParentItem>
                    <numItem>40</numItem>
                    <description>Tâche 2</description>
                    <itemInfo></itemInfo>
                    <isSelectable>true</isSelectable>
                    <isActive>true</isActive>
                    <isConditionOtherElements>false</isConditionOtherElements>
                    <costTarget>imputation</costTarget>
                    <sellingPriceTarget>imputation</sellingPriceTarget>
                    <analyticCode>CC-M928</analyticCode>
                    <itemColor>#9966CC</itemColor>
                    <timesheetHourlyCost>0.0</timesheetHourlyCost>
                    <timesheetHourlySellingPrice>0.0</timesheetHourlySellingPrice>
                    <timesheetNbHoursRef>0.0</timesheetNbHoursRef>
                    <timesheetDailyCost>280.0</timesheetDailyCost>
                    <timesheetDailySellingPrice>400.0</timesheetDailySellingPrice>
                    <timesheetNbDaysRef>12.5</timesheetNbDaysRef>
                    <expensesBudgetRef>5000.0</expensesBudgetRef>
                    <position>2</position>
                    <level>0</level>
                    <userAccounts/>
                    <accountsAssociations/>
                    <accountsResponsibles/>
                    <isThereUserImputationItems>false</isThereUserImputationItems>
                </analyticalAccount>
                <analyticalAccount>
                    <userCreate></userCreate>
                    <dateCreate>2012-06-12T16:51:00+02:00</dateCreate>
                    <idAnalyticalAccount>
                        <idAnalyticalAccount>dbf99af818f6814d0118f6bab414004e</idAnalyticalAccount>
                        <idAnalyticalAxis>
                            <idImputationStructure>dbf99af818f6814d0118f6bab4150050</idImputationStructure>
                            <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                            <accessUrl>https://api.eurecia.com/eurecia/rest/v1/AnalyticalAxis/dbf9905318f67aff011909d79c872b20[.]dbf99af818f6814d0118f6bab4150050</accessUrl>
                        </idAnalyticalAxis>
                    </idAnalyticalAccount>
                    <invoiceMode>actualPrice</invoiceMode>
                    <numSeq>3</numSeq>
                    <numParentItem>0</numParentItem>
                    <numItem>41</numItem>
                    <description>Tâche 3</description>
                    <itemInfo></itemInfo>
                    <isSelectable>true</isSelectable>
                    <isActive>true</isActive>
                    <isConditionOtherElements>false</isConditionOtherElements>
                    <costTarget>imputation</costTarget>
                    <sellingPriceTarget>imputation</sellingPriceTarget>
                    <analyticCode>CC-T781</analyticCode>
                    <itemColor>#FF3300</itemColor>
                    <timesheetHourlyCost>0.0</timesheetHourlyCost>
                    <timesheetHourlySellingPrice>0.0</timesheetHourlySellingPrice>
                    <timesheetNbHoursRef>0.0</timesheetNbHoursRef>
                    <timesheetDailyCost>280.0</timesheetDailyCost>
                    <timesheetDailySellingPrice>336.0</timesheetDailySellingPrice>
                    <timesheetNbDaysRef>125.0</timesheetNbDaysRef>
                    <expensesBudgetRef>42000.0</expensesBudgetRef>
                    <position>3</position>
                    <level>0</level>
                    <userAccounts/>
                    <accountsAssociations/>
                    <accountsResponsibles/>
                    <isThereUserImputationItems>false</isThereUserImputationItems>
                </analyticalAccount>
                <analyticalAccount>
                    <userCreate></userCreate>
                    <dateCreate>2012-06-12T16:51:00+02:00</dateCreate>
                    <idAnalyticalAccount>
                        <idAnalyticalAccount>dbf99af818f6814d0118f6bab415004f</idAnalyticalAccount>
                        <idAnalyticalAxis>
                            <idImputationStructure>dbf99af818f6814d0118f6bab4150050</idImputationStructure>
                            <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                            <accessUrl>https://api.eurecia.com/eurecia/rest/v1/AnalyticalAxis/dbf9905318f67aff011909d79c872b20[.]dbf99af818f6814d0118f6bab4150050</accessUrl>
                        </idAnalyticalAxis>
                    </idAnalyticalAccount>
                    <invoiceMode>actualPrice</invoiceMode>
                    <numSeq>4</numSeq>
                    <numParentItem>0</numParentItem>
                    <numItem>42</numItem>
                    <description>Tâche 4</description>
                    <itemInfo></itemInfo>
                    <isSelectable>true</isSelectable>
                    <isActive>true</isActive>
                    <isConditionOtherElements>false</isConditionOtherElements>
                    <costTarget>imputation</costTarget>
                    <sellingPriceTarget>imputation</sellingPriceTarget>
                    <analyticCode>CC-B555</analyticCode>
                    <itemColor>#66FFCC</itemColor>
                    <timesheetHourlyCost>0.0</timesheetHourlyCost>
                    <timesheetHourlySellingPrice>0.0</timesheetHourlySellingPrice>
                    <timesheetNbHoursRef>0.0</timesheetNbHoursRef>
                    <timesheetDailyCost>320.0</timesheetDailyCost>
                    <timesheetDailySellingPrice>400.0</timesheetDailySellingPrice>
                    <timesheetNbDaysRef>37.5</timesheetNbDaysRef>
                    <expensesBudgetRef>15000.0</expensesBudgetRef>
                    <position>4</position>
                    <level>0</level>
                    <userAccounts/>
                    <accountsAssociations/>
                    <accountsResponsibles/>
                    <isThereUserImputationItems>false</isThereUserImputationItems>
                </analyticalAccount>
                <analyticalAccount>
                    <userCreate></userCreate>
                    <dateCreate>2012-06-12T16:51:00+02:00</dateCreate>
                    <idAnalyticalAccount>
                        <idAnalyticalAccount>dbf9d1aa21a4f5f00121a51b99f000f0</idAnalyticalAccount>
                        <idAnalyticalAxis>
                            <idImputationStructure>dbf99af818f6814d0118f6bab4150050</idImputationStructure>
                            <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                            <accessUrl>https://api.eurecia.com/eurecia/rest/v1/AnalyticalAxis/dbf9905318f67aff011909d79c872b20[.]dbf99af818f6814d0118f6bab4150050</accessUrl>
                        </idAnalyticalAxis>
                    </idAnalyticalAccount>
                    <invoiceMode>actualPrice</invoiceMode>
                    <numSeq>1</numSeq>
                    <numParentItem>42</numParentItem>
                    <numItem>43</numItem>
                    <description>Tâche 4.1</description>
                    <itemInfo></itemInfo>
                    <isSelectable>true</isSelectable>
                    <isActive>true</isActive>
                    <isConditionOtherElements>false</isConditionOtherElements>
                    <costTarget>imputation</costTarget>
                    <sellingPriceTarget>imputation</sellingPriceTarget>
                    <analyticCode>CD-B6532</analyticCode>
                    <timesheetHourlyCost>0.0</timesheetHourlyCost>
                    <timesheetHourlySellingPrice>0.0</timesheetHourlySellingPrice>
                    <timesheetNbHoursRef>0.0</timesheetNbHoursRef>
                    <timesheetDailyCost>0.0</timesheetDailyCost>
                    <timesheetDailySellingPrice>0.0</timesheetDailySellingPrice>
                    <timesheetNbDaysRef>0.0</timesheetNbDaysRef>
                    <expensesBudgetRef>0.0</expensesBudgetRef>
                    <position>5</position>
                    <level>1</level>
                    <userAccounts/>
                    <accountsAssociations/>
                    <accountsResponsibles/>
                    <isThereUserImputationItems>false</isThereUserImputationItems>
                </analyticalAccount>
                <analyticalAccount>
                    <userCreate>[email protected]</userCreate>
                    <dateCreate>2013-02-20T14:59:57+01:00</dateCreate>
                    <idAnalyticalAccount>
                        <idAnalyticalAccount>4edf1c5e-32c0-4c18-9985-9241c46b39ef</idAnalyticalAccount>
                        <idAnalyticalAxis>
                            <idImputationStructure>dbf99af818f6814d0118f6bab4150050</idImputationStructure>
                            <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                            <accessUrl>https://api.eurecia.com/eurecia/rest/v1/AnalyticalAxis/dbf9905318f67aff011909d79c872b20[.]dbf99af818f6814d0118f6bab4150050</accessUrl>
                        </idAnalyticalAxis>
                    </idAnalyticalAccount>
                    <invoiceMode>actualPrice</invoiceMode>
                    <numSeq>2</numSeq>
                    <numParentItem>42</numParentItem>
                    <numItem>44</numItem>
                    <description>Tâche 4.2</description>
                    <isSelectable>true</isSelectable>
                    <isActive>true</isActive>
                    <isConditionOtherElements>false</isConditionOtherElements>
                    <costTarget>imputation</costTarget>
                    <sellingPriceTarget>imputation</sellingPriceTarget>
                    <analyticCode>CD-B6533</analyticCode>
                    <timesheetHourlyCost>0.0</timesheetHourlyCost>
                    <timesheetHourlySellingPrice>0.0</timesheetHourlySellingPrice>
                    <timesheetNbHoursRef>0.0</timesheetNbHoursRef>
                    <timesheetDailyCost>150.0</timesheetDailyCost>
                    <timesheetDailySellingPrice>200.0</timesheetDailySellingPrice>
                    <timesheetNbDaysRef>28.7</timesheetNbDaysRef>
                    <expensesBudgetRef>3000.0</expensesBudgetRef>
                    <position>6</position>
                    <level>1</level>
                    <userAccounts/>
                    <accountsAssociations/>
                    <accountsResponsibles/>
                    <isThereUserImputationItems>false</isThereUserImputationItems>
                </analyticalAccount>
            </analyticalAccounts>
        </item>
    </list>
</eureciaResponse>

					

Analytical axis list

The list of Analytical axis filtered according to the parameters.


Test console
Description
Parameter
string

Analytical axis are sent packed by 50, startPadding defines the row number of the first returned item
Example: 0

startPadding

Optional

string

endPadding defines the row number of the last returned item.
Example: 10

endPadding

Optional

string

The description of the Analytical axis company.
Example: eurecia

descrCompany

Optional

string

The description of the Analytical axis.
Example: Clients

description

Optional

string

The id of the company of the requested Analytical axis.
Example: zef54e3fzef846

idCompany

Optional

string

Is the Analytical axis active.
Posible values : oui/non or yes/no depending on your Eurecia locale configuration.
Example: oui

isActive

Optional

string

Is the Analytical axis displayed in the Activity service.
Posible values : oui/non or yes/no depending on your Eurecia locale configuration.
Example: oui

isDisplayInActivity

Optional

string

Is the Analytical axis displayed in the Expenses Report service.
Posible values : oui/non or yes/no depending on your Eurecia locale configuration.
Example: oui

isDisplayInExpRep

Optional

string

Is the Analytical axis displayed in the Timesheet service.
Posible values : oui/non or yes/no depending on your Eurecia locale configuration.
Example: oui

isDisplayInTimesheet

Optional

integer

The numerical order of the Analytical axis.
Posible values : oui/non or yes/no depending on your Eurecia locale configuration.
Example: 1

order

Optional

Resource Calendar

Response example : Calendar model GET/Calendar/{idCalendar}
The response model for the Calendar service.

<eureciaResponse>
    <calendar>
        <userCreate></userCreate>
        <id>
            <idCalendar>41d4c935326242fc0132633f6415684b</idCalendar>
            <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
        </id>
        <type>0</type>
        <description>Planning 3</description>
        <comments>Planification des activités par équipe de production</comments>
        <model>
            <userCreate>[email protected]</userCreate>
            <dateCreate>2005-01-01T12:00:00+01:00</dateCreate>
            <userUpdate>[email protected]</userUpdate>
            <dateUpdate>2011-04-22T10:32:55+02:00</dateUpdate>
            <id>id_frenchCalendar</id>
            <locale>fr_FR</locale>
            <description>France</description>
            <timezone>Europe/Brussels</timezone>
        </model>
        <resourceLabel>Autres ressources</resourceLabel>
        <hrResourceLabel>Equipe</hrResourceLabel>
        <userCreate>[email protected]</userCreate>
        <dateCreate>2011-09-13T16:44:51+02:00</dateCreate>
        <userUpdate>[email protected]</userUpdate>
        <dateUpdate>2011-11-22T15:07:04+01:00</dateUpdate>
        <calendarColor>#94A2BE</calendarColor>
        <isDefaultPlanning>false</isDefaultPlanning>
        <isDefaultPresenceValue>true</isDefaultPresenceValue>
        <accessUrl>https://api.eurecia.com/eurecia/rest/v1/Calendar/dbf9905318f67aff011909d79c872b20[.]41d4c935326242fc0132633f6415684b</accessUrl>
    </calendar>
</eureciaResponse>
						

Calendar

The resource calendar specified by an id : idCompany[.]idCalendar


Test console
Description
Parameter
string

The id of the requested resource calendar.
Example: MONCE120426-114859[.]41d4c9353262415684b

idCalendar

Required

Response example : Calendar list model GET/Calendar
The response model for the Calendar list service.

<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<eureciaResponse>
    <totalElementsFound>4</totalElementsFound>
    <startPadding>0</startPadding>
    <endPadding>2</endPadding>
    <list>
        <item 
            xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="calendar">
            <userCreate></userCreate>
            <id>
                <idCalendar>41d4c935326242fc0132633f6415684b</idCalendar>
                <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
            </id>
            <type>0</type>
            <description>Planning 3</description>
            <comments>Planification des activités par équipe de production</comments>
            <model>
                <userCreate>[email protected]</userCreate>
                <dateCreate>2005-01-01T12:00:00+01:00</dateCreate>
                <userUpdate>[email protected]</userUpdate>
                <dateUpdate>2011-04-22T10:32:55+02:00</dateUpdate>
                <id>id_frenchCalendar</id>
                <locale>fr_FR</locale>
                <description>France</description>
                <timezone>Europe/Brussels</timezone>
            </model>
            <resourceLabel>Autres ressources</resourceLabel>
            <hrResourceLabel>Equipe</hrResourceLabel>
            <userCreate>[email protected]</userCreate>
            <dateCreate>2011-09-13T16:44:51+02:00</dateCreate>
            <userUpdate>[email protected]</userUpdate>
            <dateUpdate>2011-11-22T15:07:04+01:00</dateUpdate>
            <calendarColor>#94A2BE</calendarColor>
            <isDefaultPlanning>false</isDefaultPlanning>
            <isDefaultPresenceValue>true</isDefaultPresenceValue>
            <accessUrl>https://api.eurecia.com/eurecia/rest/v1/Calendar/dbf9905318f67aff011909d79c872b20[.]41d4c935326242fc0132633f6415684b</accessUrl>
        </item>
        <item 
            xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="calendar">
            <userCreate></userCreate>
            <id>
                <idCalendar>dbf99af81910b1c2011913f525b50253</idCalendar>
                <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
            </id>
            <type>0</type>
            <description>Planning commercial</description>
            <comments>Planification des activités par projet</comments>
            <model>
                <userCreate>[email protected]</userCreate>
                <dateCreate>2005-01-01T12:00:00+01:00</dateCreate>
                <userUpdate>[email protected]</userUpdate>
                <dateUpdate>2011-04-22T10:32:55+02:00</dateUpdate>
                <id>id_frenchCalendar</id>
                <locale>fr_FR</locale>
                <description>France</description>
                <timezone>Europe/Brussels</timezone>
            </model>
            <resourceLabel>Autres ressources</resourceLabel>
            <hrResourceLabel>Commerciaux</hrResourceLabel>
            <userCreate>[email protected]</userCreate>
            <dateCreate>2008-04-03T13:04:03+02:00</dateCreate>
            <userUpdate>[email protected]</userUpdate>
            <dateUpdate>2011-11-21T18:50:46+01:00</dateUpdate>
            <calendarColor>#E67399</calendarColor>
            <isDefaultPlanning>false</isDefaultPlanning>
            <isDefaultPresenceValue>true</isDefaultPresenceValue>
            <accessUrl>https://api.eurecia.com/eurecia/rest/v1/Calendar/dbf9905318f67aff011909d79c872b20[.]dbf99af81910b1c2011913f525b50253</accessUrl>
        </item>
    </list>
</eureciaResponse>
						

Calendar list

The list of resource calendars filtered according to the parameters.


Test console
Description
Parameter
string

Calendars are sent packed by 50, startPadding defines the row number of the first returned item

Example: 0
startPadding

Required

string

endPadding defines the row number of the last returned item.

Example: 10
endPadding

Required

string

The company description.
Example: eurecia

descrCompany

Optional

string

The calendar description.

description

Optional

string

The company id.

idCompany

Required

Response example : Calendar item model GET/CalendarItem/{idCalendarItem}
The response model for the Calendar item service.

<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<eureciaResponse>
    <test>
        <userCreate>[email protected]</userCreate>
        <dateCreate>2013-01-25T17:25:35+01:00</dateCreate>
        <userUpdate>[email protected]</userUpdate>
        <dateUpdate>2013-01-25T17:53:22+01:00</dateUpdate>
        <id>
            <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
            <idCalendarItem>41d4c9353c6e068f013c72874f2600c1</idCalendarItem>
        </id>
        <dateStart>2013-01-25T09:00:00+01:00</dateStart>
        <dateEnd>2013-01-25T14:30:00+01:00</dateEnd>
        <subject>7 à 18</subject>
        <place></place>
        <descr></descr>
    </test>
</eureciaResponse>
						

Calendar item

The resource calendar event specified by an id : idCompany[.]idCalendarItem


Test console
Description
Parameter
string

The id of the requested Calendar Item.
Example: DEM-200904027-XXCF4[.]40289fbde0130123f

idCalendarItem

Required

Response example : Calendar item list model GET/CalendarItem
The response model for the Calendar item list service.

<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<eureciaResponse>
    <totalElementsFound>7255</totalElementsFound>
    <startPadding>0</startPadding>
    <endPadding>4</endPadding>
    <list>
        <item xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="calendarItem">
            <userCreate>[email protected]</userCreate>
            <dateCreate>2013-01-25T17:25:35+01:00</dateCreate>
            <userUpdate>[email protected]</userUpdate>
            <dateUpdate>2013-01-25T17:53:22+01:00</dateUpdate>
            <id>
                <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                <idCalendarItem>41d4c9353c6e068f013c72874f2600c1</idCalendarItem>
            </id>
            <dateStart>2013-01-25T09:00:00+01:00</dateStart>
            <dateEnd>2013-01-25T14:30:00+01:00</dateEnd>
            <subject>7 à 18</subject>
            <place></place>
            <descr></descr>
        </item>
        <item xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="calendarItem">
            <userCreate></userCreate>
            <dateCreate>2011-10-04T17:21:37+02:00</dateCreate>
            <userUpdate></userUpdate>
            <dateUpdate>2011-10-04T17:21:37+02:00</dateUpdate>
            <id>
                <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                <idCalendarItem>41d4c93532cf79de0132cf869ae50191</idCalendarItem>
            </id>
            <dateStart>2011-10-03T00:00:00+02:00</dateStart>
            <dateEnd>2011-10-05T00:00:00+02:00</dateEnd>
            <subject>Actions commerciales</subject>
            <place></place>
            <descr></descr>
        </item>
        <item xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="calendarItem">
            <userCreate></userCreate>
            <dateCreate>2011-11-09T10:48:06+01:00</dateCreate>
            <userUpdate></userUpdate>
            <dateUpdate>2011-11-09T10:48:06+01:00</dateUpdate>
            <id>
                <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                <idCalendarItem>41d4c93533850c8c013387ba32f5133e</idCalendarItem>
            </id>
            <dateStart>2011-11-10T11:15:00+01:00</dateStart>
            <dateEnd>2011-11-10T15:25:00+01:00</dateEnd>
            <subject>Actions marketing</subject>
            <place>Paris</place>
            <descr></descr>
        </item>
        <item xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="calendarItem">
            <userCreate>[email protected]</userCreate>
            <dateCreate>2011-11-21T18:40:33+01:00</dateCreate>
            <id>
                <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                <idCalendarItem>41d4c93533b7c7a90133c7370bb972c6</idCalendarItem>
            </id>
            <dateStart>2011-11-24T00:00:00+01:00</dateStart>
            <dateEnd>2011-11-26T00:00:00+01:00</dateEnd>
            <subject>Assistance technique</subject>
            <place>Chez le client</place>
            <descr></descr>
        </item>
    </list>
</eureciaResponse>
						

Calendar item list

The list of resource calendar events filtered according to the parameters.


Test console
Description
Parameter
string

Expenses report are sent packed by 50, startPadding defines the row number of the first returned item

Example: 0
startPadding

Optional

string

endPadding defines the row number of the last returned item.

Example: 10
endPadding

Required

string

The id of the company of the requested calendar item.
Example: ef4ze5g4ze5g2

idCompany

Optional

string

The id of a participant.
Example: f5e4f6eg4[.]41d4c9bd292

idUser

Optional

string

The starting date of the calendar item in the format DD/MM/YYYY or YYYY-MM-DD depending on your Eurecia locale configuration.
Example: 22/04/2012

periodStart

Optional

string

The ending date of the calendar item in the format DD/MM/YYYY or YYYY-MM-DD depending on your Eurecia locale configuration.
Example: 29/04/2012

periodEnd

Optional

string

The id of a calendar.
Example: f5e4f6e[.]41d4cd292

idCalendar

Optional

string

The id of a material resource.
Example: f5e4f6e[.]41d4cd292

idResource

Optional

Leaves & Vacations

Response example : Vacation request model GET/VacationRequest/{idVacationRequest}
The response model for the Vacation request service.

<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<eureciaResponse>
    <vacationRequest>
        <userCreate></userCreate>
        <id>
            <idRequest>41d4c90d37d9c5040137e0e7704e748e</idRequest>
            <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
            <idUser>41d4c93529279d58012927e4f415460f</idUser>
        </id>
        <currentWorkflowLevel></currentWorkflowLevel>
        <usersCurrentOwners>
            <usersCurrentOwner>
                <id>41d4c90d37d9c5040137e0e771337492</id>
                <userCurrentOwner>
                    <userCreate></userCreate>
                    <hasLogin>false</hasLogin>
                    <seniorityShift>0</seniorityShift>
                    <displayAnalyticalAccountInOneColumn>false</displayAnalyticalAccountInOneColumn>
                    <hasACar>false</hasACar>
                    <hasAFuelCard>false</hasAFuelCard>
                    <accessUrl>https://api.eurecia.com/eurecia/rest/v1/User/dbf9905318f67aff011909d79c872b20[.]41d4c93529279d58012927e4f415460f</accessUrl>
                </userCurrentOwner>
            </usersCurrentOwner>
        </usersCurrentOwners>
        <startDate>2012-07-16T09:00:00+02:00</startDate>
        <startTimeCode>0</startTimeCode>
        <endDate>2012-07-16T18:00:00+02:00</endDate>
        <endTimeCode>1.0</endTimeCode>
        <requestDate>2012-06-12T15:35:47+02:00</requestDate>
        <nbDays>1.0</nbDays>
        <status>NEW</status>
        <autoRequest>false</autoRequest>
        <overrideRules>false</overrideRules>
        <requesterComment></requesterComment>
        <validatorComment></validatorComment>
        <toBeCorrected>false</toBeCorrected>
        <isConflict></isConflict>
        <reminderAttachedFile>false</reminderAttachedFile>
        <stopReminderAttachedFile>false</stopReminderAttachedFile>
        <userCreate>[email protected]</userCreate>
        <dateCreate>2012-06-12T15:34:53+02:00</dateCreate>
        <userUpdate>[email protected]</userUpdate>
        <dateUpdate>2012-06-12T15:35:47+02:00</dateUpdate>
        <vacationRequestHistories>
            <vacationRequestHistory>
                <id>41d4c90d37d9c5040137e0e771317491</id>
                <user>
                    <userCreate></userCreate>
                    <hasLogin>false</hasLogin>
                    <seniorityShift>0</seniorityShift>
                    <displayAnalyticalAccountInOneColumn>false</displayAnalyticalAccountInOneColumn>
                    <hasACar>false</hasACar>
                    <hasAFuelCard>false</hasAFuelCard>
                    <accessUrl>https://api.eurecia.com/eurecia/rest/v1/User/dbf9905318f67aff011909d79c872b20[.]dbf9905318f67aff011909edbeaa3309</accessUrl>
                </user>
                <description>BERGSON John</description>
                <idStatus>NEW</idStatus>
                <idStatusDescr>Création</idStatusDescr>
                <dateHistory>2012-06-12T15:34:53+02:00</dateHistory>
                <commentHistory></commentHistory>
            </vacationRequestHistory>
        </vacationRequestHistories>
        <vacationSubRequests>
            <vacationSubRequest>
                <vacationSubRequestId>
                    <idSubRequest>41d4c90d37d9c5040137e0e8289575a3</idSubRequest>
                    <idVacationType>402880830d3fcb77010d408a637d0149</idVacationType>
                    <idCompanyType>dbf9905318f67aff011909d79c872b20</idCompanyType>
                </vacationSubRequestId>
                <subRequestStartDate>2012-07-16T09:00:00+02:00</subRequestStartDate>
                <subRequestEndDate>2012-07-16T18:00:00+02:00</subRequestEndDate>
                <yearOfEnd>2012</yearOfEnd>
                <nbDays>1.0</nbDays>
                <nbHours>7.0</nbHours>
            </vacationSubRequest>
        </vacationSubRequests>
         <giveUpSplitting>true</giveUpSplitting>
        <temporaryKey>41d4c90d37d9c5040137e0e8442575b7</temporaryKey>
        <accessUrl>https://api.eurecia.com/eurecia/rest/v1/VacationRequest/41d4c90d37d9c5040137e0e7704e748e[.]dbf9905318f67aff011909d79c872b20[.]41d4c93529279d58012927e4f415460f</accessUrl>
    </vacationRequest>
</eureciaResponse>
					

Vacation request

The vacation request specified by an id : idVacationRequest[.]idCompany[.]idUser


Test console
Description
Parameter
string

The id of the requested vacation request.
Example: 40289fbe3a5fa7730138[.]a63f74f33215[.]dbf99053114f98d31ecd

idVacationRequest

Required

Response example : Vacation request list model GET/VacationRequest
The response model for the Vacation request list service.

<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<eureciaResponse>
    <totalElementsFound>3</totalElementsFound>
    <startPadding>0</startPadding>
    <endPadding>10</endPadding>
    <list>
        <item 
            xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="vacationRequest">
            <userCreate></userCreate>
            <id>
                <idRequest>41d4c935345cb78301345fde641009f3</idRequest>
                <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                <idUser>dbf9905318f67aff011909edbeaa3309</idUser>
            </id>
            <currentWorkflowLevel>1</currentWorkflowLevel>
            <usersCurrentOwners>
                <usersCurrentOwner>
                    <id>41d4c935345cb78301345fde646009f4</id>
                    <userCurrentOwner>
                        <userCreate></userCreate>
                        <hasLogin>false</hasLogin>
                        <seniorityShift>0</seniorityShift>
                        <displayAnalyticalAccountInOneColumn>false</displayAnalyticalAccountInOneColumn>
                        <hasACar>false</hasACar>
                        <hasAFuelCard>false</hasAFuelCard>
                        <accessUrl>https://api.eurecia.com/eurecia/rest/v1/User/dbf9905318f67aff011909d79c872b20[.]dbf9905318f67aff011909edbeaa3309</accessUrl>
                    </userCurrentOwner>
                </usersCurrentOwner>
            </usersCurrentOwners>
            <startDate>2012-03-28T09:00:00+02:00</startDate>
            <startTimeCode>0</startTimeCode>
            <endDate>2012-04-02T18:00:00+02:00</endDate>
            <endTimeCode>1.0</endTimeCode>
            <requestDate>2011-12-21T10:05:38+01:00</requestDate>
            <nbDays>4.0</nbDays>
            <status>SENT</status>
            <autoRequest>false</autoRequest>
            <overrideRules>true</overrideRules>
            <requesterComment></requesterComment>
            <validatorComment></validatorComment>
            <toBeCorrected>false</toBeCorrected>
            <submitToValidationDate>2011-12-21T10:05:37+01:00</submitToValidationDate>
            <isConflict></isConflict>
            <reminderAttachedFile>false</reminderAttachedFile>
            <stopReminderAttachedFile>false</stopReminderAttachedFile>
            <userCreate>[email protected]</userCreate>
            <dateCreate>2011-12-21T10:05:37+01:00</dateCreate>
            <vacationRequestHistories>
                <vacationRequestHistory>
                    <id>41d4c935345cb78301345fde646109f7</id>
                    <user>
                        <userCreate></userCreate>
                        <hasLogin>false</hasLogin>
                        <seniorityShift>0</seniorityShift>
                        <displayAnalyticalAccountInOneColumn>false</displayAnalyticalAccountInOneColumn>
                        <hasACar>false</hasACar>
                        <hasAFuelCard>false</hasAFuelCard>
                        <accessUrl>https://api.eurecia.com/eurecia/rest/v1/User/dbf9905318f67aff011909d79c872b20[.]dbf9905318f67aff011909edbeaa3309</accessUrl>
                    </user>
                    <description>BERGSON John</description>
                    <idStatus>SENT</idStatus>
                    <idStatusDescr>Soumise à validation</idStatusDescr>
                    <dateHistory>2011-12-21T10:05:38+01:00</dateHistory>
                    <commentHistory> (Outrepassement des règles de validation)</commentHistory>
                </vacationRequestHistory>
                <vacationRequestHistory>
                    <id>41d4c935345cb78301345fde646009f5</id>
                    <user>
                        <userCreate></userCreate>
                        <hasLogin>false</hasLogin>
                        <seniorityShift>0</seniorityShift>
                        <displayAnalyticalAccountInOneColumn>false</displayAnalyticalAccountInOneColumn>
                        <hasACar>false</hasACar>
                        <hasAFuelCard>false</hasAFuelCard>
                        <accessUrl>https://api.eurecia.com/eurecia/rest/v1/User/dbf9905318f67aff011909d79c872b20[.]dbf9905318f67aff011909edbeaa3309</accessUrl>
                    </user>
                    <description>BERGSON John</description>
                    <idStatus>NEW</idStatus>
                    <idStatusDescr>Création</idStatusDescr>
                    <dateHistory>2011-12-21T10:05:37+01:00</dateHistory>
                    <commentHistory> (Outrepassement des règles de validation) (Outrepassement des règles de validation)</commentHistory>
                </vacationRequestHistory>
            </vacationRequestHistories>
            <vacationSubRequests>
                <vacationSubRequest>
                    <vacationSubRequestId>
                        <idSubRequest>41d4c935345cb78301345fde614909f2</idSubRequest>
                        <idVacationType>402880830cce6036010cce7bb25d0026</idVacationType>
                        <idCompanyType>dbf9905318f67aff011909d79c872b20</idCompanyType>
                    </vacationSubRequestId>
                    <subRequestStartDate>2012-03-28T09:00:00+02:00</subRequestStartDate>
                    <subRequestEndDate>2012-04-02T18:00:00+02:00</subRequestEndDate>
                    <yearOfEnd>2012</yearOfEnd>
                    <nbDays>4.0</nbDays>
                    <nbHours>28.0</nbHours>
                    <numberOfUnworkedDays>0.0</numberOfUnworkedDays>
                </vacationSubRequest>
            </vacationSubRequests>
            <giveUpSplitting>true</giveUpSplitting>
            <accessUrl>https://api.eurecia.com/eurecia/rest/v1/VacationRequest/41d4c935345cb78301345fde641009f3[.]dbf9905318f67aff011909d79c872b20[.]dbf9905318f67aff011909edbeaa3309</accessUrl>
        </item>
        <item 
            xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="vacationRequest">
            <userCreate></userCreate>
            <id>
                <idRequest>upgradev1.3.2c_100876</idRequest>
                <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                <idUser>dbf9905318f67aff011909edbeaa3309</idUser>
            </id>
            <currentWorkflowLevel>1</currentWorkflowLevel>
            <usersCurrentOwners>
                <usersCurrentOwner>
                    <id>41d4c935281c343c01284df89f7d7ecc</id>
                    <userCurrentOwner>
                        <userCreate></userCreate>
                        <hasLogin>false</hasLogin>
                        <seniorityShift>0</seniorityShift>
                        <displayAnalyticalAccountInOneColumn>false</displayAnalyticalAccountInOneColumn>
                        <hasACar>false</hasACar>
                        <hasAFuelCard>false</hasAFuelCard>
                        <accessUrl>https://api.eurecia.com/eurecia/rest/v1/User/dbf9905318f67aff011909d79c872b20[.]dbf9905318f67aff011909edbeaa3309</accessUrl>
                    </userCurrentOwner>
                </usersCurrentOwner>
            </usersCurrentOwners>
            <startDate>2010-04-30T09:00:00+02:00</startDate>
            <startTimeCode>0</startTimeCode>
            <endDate>2010-05-03T18:00:00+02:00</endDate>
            <endTimeCode>1.0</endTimeCode>
            <requestDate>2012-01-02T11:04:38+01:00</requestDate>
            <nbDays>4.0</nbDays>
            <status>SENT</status>
            <autoRequest>false</autoRequest>
            <overrideRules>false</overrideRules>
            <requesterComment>Petite pause...</requesterComment>
            <validatorComment></validatorComment>
            <toBeCorrected>false</toBeCorrected>
            <submitToValidationDate>2010-04-30T11:07:39+02:00</submitToValidationDate>
            <reminderAttachedFile>false</reminderAttachedFile>
            <stopReminderAttachedFile>false</stopReminderAttachedFile>
            <userCreate>[email protected]</userCreate>
            <dateCreate>2010-04-30T11:07:39+02:00</dateCreate>
            <userUpdate>[email protected]</userUpdate>
            <dateUpdate>2012-01-02T11:04:38+01:00</dateUpdate>
            <vacationRequestHistories>
                <vacationRequestHistory>
                    <id>41d4c935281c343c01284df89f7d7ecd</id>
                    <user>
                        <userCreate></userCreate>
                        <hasLogin>false</hasLogin>
                        <seniorityShift>0</seniorityShift>
                        <displayAnalyticalAccountInOneColumn>false</displayAnalyticalAccountInOneColumn>
                        <hasACar>false</hasACar>
                        <hasAFuelCard>false</hasAFuelCard>
                        <accessUrl>https://api.eurecia.com/eurecia/rest/v1/User/dbf9905318f67aff011909d79c872b20[.]dbf9905318f67aff011909edbeaa3309</accessUrl>
                    </user>
                    <description>RESPONSABLE SOCIÉTÉ (John)</description>
                    <idStatus>SENT</idStatus>
                    <idStatusDescr>Demande de validation</idStatusDescr>
                    <dateHistory>2010-04-30T11:07:40+02:00</dateHistory>
                    <commentHistory></commentHistory>
                </vacationRequestHistory>
                <vacationRequestHistory>
                    <id>41d4c935281c343c01284df89f7b7ecb</id>
                    <user>
                        <userCreate></userCreate>
                        <hasLogin>false</hasLogin>
                        <seniorityShift>0</seniorityShift>
                        <displayAnalyticalAccountInOneColumn>false</displayAnalyticalAccountInOneColumn>
                        <hasACar>false</hasACar>
                        <hasAFuelCard>false</hasAFuelCard>
                        <accessUrl>https://api.eurecia.com/eurecia/rest/v1/User/dbf9905318f67aff011909d79c872b20[.]dbf9905318f67aff011909edbeaa3309</accessUrl>
                    </user>
                    <description>RESPONSABLE SOCIÉTÉ (John)</description>
                    <idStatus>NEW</idStatus>
                    <idStatusDescr>Création</idStatusDescr>
                    <dateHistory>2010-04-30T11:07:39+02:00</dateHistory>
                    <commentHistory></commentHistory>
                </vacationRequestHistory>
            </vacationRequestHistories>
            <vacationSubRequests>
                <vacationSubRequest>
                    <vacationSubRequestId>
                        <idSubRequest>41d4c935281c343c01284df89f7b7eca</idSubRequest>
                        <idVacationType>402880830d3fcb77010d408a637d0149</idVacationType>
                        <idCompanyType>dbf9905318f67aff011909d79c872b20</idCompanyType>
                    </vacationSubRequestId>
                    <subRequestStartDate>2010-04-30T08:00:00+02:00</subRequestStartDate>
                    <subRequestEndDate>2010-05-03T18:00:00+02:00</subRequestEndDate>
                    <yearOfEnd>2010</yearOfEnd>
                    <nbDays>4.0</nbDays>
                    <numberOfUnworkedDays>0.0</numberOfUnworkedDays>
                </vacationSubRequest>
            </vacationSubRequests>
            <giveUpSplitting>false</giveUpSplitting>
            <accessUrl>https://api.eurecia.com/eurecia/rest/v1/VacationRequest/upgradev1.3.2c_100876[.]dbf9905318f67aff011909d79c872b20[.]dbf9905318f67aff011909edbeaa3309</accessUrl>
        </item>
    </list>
</eureciaResponse>
					

Vacation request list

The list of vacation requests filtered according to the parameters


Test console
Description
Parameter
string

Vacation requests are sent packed by 50, startPadding defines the row number of the first returned item
Example: 0

startPadding

Optional

string

endPadding defines the row number of the last returned item.
Example: 10

endPadding

Optional

string

The company description.
Example: eurecia

descrCompany

Optional

string

The description of the status

descrStatus

Optional

string

The id of the vacation type. All vacation requests having at least one subrequest with the vacation type are filtered.
Example: 20110811-144658[.]41d4c90d25b329420125bcaed11a06a7

vacationType

Optional

boolean

Search in archived users data if true and in the active user if false (default : false).

displayArchivedUsers

Optional

string

Filters vacation requests ending no more late than the day specified in the format DD/MM/YYYY or YYYY-MM-DD depending on your Eurecia locale configuration .

endDate

Optional

string

The id of the company of vacation requests owners.
Example: f5e44654f631zaefeeg4

idCompany

Optional

string

the id of the department which the request owner depend on.
The id is the concatenation of the company id, item number, parent item number, level and department id.
Example: 20110811-144658[.]6[.]0[.]0[.]41d4c90d32cbd292bb535e23 See useful tips for more details.

idDepartment

Optional

string

The vacation request status id. Posible values : NEW, SENT, ACCEPTED, REJECTED, CANCELED, MORE_INFO, TO_CANCELED, CANCELED_BEFORE_VALIDATION

idStatus

Optional

string

the id of the structure which the request owner depend on.
The id is the concatenation of the company id, item number, parent item number, level and structure id.
Example: 20110811-144658[.]6[.]0[.]0[.]41d4c90d32cbd292bb535e23 See useful tips for more details.

idStructure

Optional

string

The id of the vacation requests owner.
Example: f5e4f6eg4[.]41d4c9bd292

idUser

Optional

string

The vacation request duration in day.

nbDays

Optional

boolean

If true, display only conflicted vacation requests.

onlyConflicted

Optional

string

Filters vacation requests taking effect from the day specified in the format DD/MM/YYYY or YYYY-MM-DD depending on your Eurecia locale configuration .

startDate

Optional

string

The vacation request owner first name.

userFirstName

Optional

string

The vacation request owner last name.

userLastName

Optional

boolean

The vacation request waives the days of splitting.

giveUpSplitting

Optional

Response example : Payroll model GET/Payroll
The response model for the Payroll service.

    <?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<eureciaResponse>
    <totalElementsFound>9</totalElementsFound>
    <startPadding>0</startPadding>
    <endPadding>9</endPadding>
    <list>
        <item xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="vacationRequestListItem">
            <userName>AUGER Morgane</userName>
            <vacationType>RTT</vacationType>
            <nbDays>0.50</nbDays>
            <nbHours>0.00</nbHours>
            <period>2010</period>
            <status>ACCEPTED</status>
            <flagDate></flagDate>
            <flagUser></flagUser>
            <itemStartDate>17/09/2010 12:01:00</itemStartDate>
            <itemEndDate>17/09/2010 18:00:00</itemEndDate>
            <requestStartDate>2010-09-17T12:01:00+02:00</requestStartDate>
            <requestEndDate>2010-09-17T18:00:00+02:00</requestEndDate>
            <flaggedItems/>
            <accessUrl>https://validation-interne.eurecia.com/eurecia/rest/v1/VacationRequest/41d4c9352b2e2518012b2f78a1df1e79[.]dbf9905318f67aff011909d79c872b20[.]41d4c93529279d58012927e4f415460f</accessUrl>
        </item>
        <item xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="vacationRequestListItem">
            <userName>AUGER Morgane</userName>
            <vacationType>RTT</vacationType>
            <nbDays>1.50</nbDays>
            <nbHours>0.00</nbHours>
            <period>2010</period>
            <status>ACCEPTED</status>
            <flagDate></flagDate>
            <flagUser></flagUser>
            <itemStartDate>23/09/2010 08:00:00</itemStartDate>
            <itemEndDate>24/09/2010 12:00:00</itemEndDate>
            <requestStartDate>2010-09-23T08:00:00+02:00</requestStartDate>
            <requestEndDate>2010-09-24T12:00:00+02:00</requestEndDate>
            <flaggedItems/>
            <accessUrl>https://validation-interne.eurecia.com/eurecia/rest/v1/VacationRequest/41d4c9352b2e2518012b2f7808ef1e0b[.]dbf9905318f67aff011909d79c872b20[.]41d4c93529279d58012927e4f415460f</accessUrl>
        </item>
        <item xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="vacationRequestListItem">
            <userName>BERGSON John</userName>
            <vacationType>Congés payés</vacationType>
            <nbDays>2.00</nbDays>
            <nbHours>0.00</nbHours>
            <period>2009</period>
            <status>CANCELED_BEFORE_VALIDATION</status>
            <flagDate></flagDate>
            <flagUser></flagUser>
            <itemStartDate>01/09/2010 08:00:00</itemStartDate>
            <itemEndDate>02/09/2010 18:00:00</itemEndDate>
            <requestStartDate>2010-09-01T08:00:00+02:00</requestStartDate>
            <requestEndDate>2010-09-02T18:00:00+02:00</requestEndDate>
            <flaggedItems/>
            <accessUrl>https://validation-interne.eurecia.com/eurecia/rest/v1/VacationRequest/upgradev1.3.2c_130491[.]dbf9905318f67aff011909d79c872b20[.]dbf9905318f67aff011909edbeaa3309</accessUrl>
        </item>
        <item xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="vacationRequestListItem">
            <userName>BERGSON John</userName>
            <vacationType>Congés payés</vacationType>
            <nbDays>7.00</nbDays>
            <nbHours>49.00</nbHours>
            <period>2010</period>
            <status>ACCEPTED</status>
            <flagDate></flagDate>
            <flagUser></flagUser>
            <itemStartDate>22/09/2010 09:00:00</itemStartDate>
            <itemEndDate>30/09/2010 23:59:59</itemEndDate>
            <requestStartDate>2010-09-22T09:00:00+02:00</requestStartDate>
            <requestEndDate>2010-09-30T23:59:59.059+02:00</requestEndDate>
            <flaggedItems/>
            <accessUrl>https://validation-interne.eurecia.com/eurecia/rest/v1/VacationRequest/41d4c9352ac26688012ace00a3c01517[.]dbf9905318f67aff011909d79c872b20[.]dbf9905318f67aff011909edbeaa3309</accessUrl>
        </item>
        <item xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="vacationRequestListItem">
            <userName>CORNEC René</userName>
            <vacationType>RTT</vacationType>
            <nbDays>3.00</nbDays>
            <nbHours>0.00</nbHours>
            <period>2010</period>
            <status>ACCEPTED</status>
            <flagDate></flagDate>
            <flagUser></flagUser>
            <itemStartDate>07/09/2010 09:00:00</itemStartDate>
            <itemEndDate>09/09/2010 18:00:00</itemEndDate>
            <requestStartDate>2010-09-07T09:00:00+02:00</requestStartDate>
            <requestEndDate>2010-09-09T18:00:00+02:00</requestEndDate>
            <flaggedItems/>
            <accessUrl>https://validation-interne.eurecia.com/eurecia/rest/v1/VacationRequest/41d4c9352ae7d6b7012b172b1e0672b2[.]dbf9905318f67aff011909d79c872b20[.]dbf990531995b12d011995ecd7d51a40</accessUrl>
        </item>
        <item xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="vacationRequestListItem">
            <userName>GARNIER Sylvain</userName>
            <vacationType>RTT</vacationType>
            <nbDays>4.00</nbDays>
            <nbHours>0.00</nbHours>
            <period>2010</period>
            <status>ACCEPTED</status>
            <flagDate></flagDate>
            <flagUser></flagUser>
            <itemStartDate>16/09/2010 08:00:00</itemStartDate>
            <itemEndDate>21/09/2010 18:00:00</itemEndDate>
            <requestStartDate>2010-09-16T08:00:00+02:00</requestStartDate>
            <requestEndDate>2010-09-21T18:00:00+02:00</requestEndDate>
            <flaggedItems/>
            <accessUrl>https://validation-interne.eurecia.com/eurecia/rest/v1/VacationRequest/41d4c9352ac26688012acdff564c14a9[.]dbf9905318f67aff011909d79c872b20[.]41d4c93529279d58012927e3c04445f1</accessUrl>
        </item>
        <item xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="vacationRequestListItem">
            <userName>LE TENNIER Flavia</userName>
            <vacationType>RTT</vacationType>
            <nbDays>3.00</nbDays>
            <nbHours>0.00</nbHours>
            <period>2010</period>
            <status>ACCEPTED</status>
            <flagDate></flagDate>
            <flagUser></flagUser>
            <itemStartDate>16/09/2010 08:00:00</itemStartDate>
            <itemEndDate>20/09/2010 18:00:00</itemEndDate>
            <requestStartDate>2010-09-16T08:00:00+02:00</requestStartDate>
            <requestEndDate>2010-09-20T18:00:00+02:00</requestEndDate>
            <flaggedItems/>
            <accessUrl>https://validation-interne.eurecia.com/eurecia/rest/v1/VacationRequest/41d4c93529e0b9ca0129e0bc7acf004a[.]dbf9905318f67aff011909d79c872b20[.]41d4c93529279d58012927e868a84647</accessUrl>
        </item>
        <item xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="vacationRequestListItem">
            <userName>LEBLANC Hélène</userName>
            <vacationType>RTT</vacationType>
            <nbDays>9.00</nbDays>
            <nbHours>0.00</nbHours>
            <period>2009</period>
            <status>ACCEPTED</status>
            <flagDate></flagDate>
            <flagUser></flagUser>
            <itemStartDate>03/09/2010 08:00:00</itemStartDate>
            <itemEndDate>15/09/2010 18:00:00</itemEndDate>
            <requestStartDate>2010-09-03T08:00:00+02:00</requestStartDate>
            <requestEndDate>2010-09-15T18:00:00+02:00</requestEndDate>
            <flaggedItems/>
            <accessUrl>https://validation-interne.eurecia.com/eurecia/rest/v1/VacationRequest/upgradev1.3.2c_130492[.]dbf9905318f67aff011909d79c872b20[.]dbf990531995b12d011995e950b91879</accessUrl>
        </item>
        <item xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="vacationRequestListItem">
            <userName>LESAUR Florent</userName>
            <vacationType>Maladie</vacationType>
            <nbDays>2.00</nbDays>
            <nbHours>14.00</nbHours>
            <period>2010</period>
            <status>ACCEPTED</status>
            <flagDate></flagDate>
            <flagUser></flagUser>
            <itemStartDate>29/09/2010 09:00:00</itemStartDate>
            <itemEndDate>30/09/2010 23:59:59</itemEndDate>
            <requestStartDate>2010-09-29T09:00:00+02:00</requestStartDate>
            <requestEndDate>2010-09-30T23:59:59.059+02:00</requestEndDate>
            <flaggedItems/>
            <accessUrl>https://validation-interne.eurecia.com/eurecia/rest/v1/VacationRequest/41d4c9352ac26688012ace000f5f14e3[.]dbf9905318f67aff011909d79c872b20[.]41d4c93529279d58012927e69273462b</accessUrl>
        </item>
    </list>
</eureciaResponse>
    
					

Vacation requests for payroll

The list of vacation requests computed for payroll for the given dates and filtered according to the parameters


Test console
Description
Parameter
boolean

Search in archived users data if true and in the active user if false (default : false).

displayArchivedUsers

Optional

string

The payroll period end date in the format DD/MM/YYYY or YYYY-MM-DD depending on your Eurecia locale configuration .

endDate

Optional

string

The id of the company of vacation requests owners.
Example: f5e44654f631zaefeeg4

idCompany

Optional

string

the id of the department which the request owner depend on.
The id is the concatenation of the company id, item number, parent item number, level and department id.
Example: 20110811-144658[.]6[.]0[.]0[.]41d4c90d32cbd292bb535e23 See useful tips for more details.

idDepartment

Optional

string

the id of the structure which the request owner depend on.
The id is the concatenation of the company id, item number, parent item number, level and structure id.
Example: 20110811-144658[.]6[.]0[.]0[.]41d4c90d32cbd292bb535e23 See useful tips for more details.

idStructure

Optional

string

The id of the vacation requests owner.
Example: f5e4f6eg4[.]41d4c9bd292

idUser

Optional

boolean

Should include or not the requests to be regularized. Default to false.
Example: true

includeRequestsToBeRegularized

Optional

integer

Retrieve vacations with the given flag
1 : In process
2 : Exported/processed
3 : To be adjusted
4 : Adjusted
5 : Closed
6 : To be exported/to be processed
Example: 2

itemFlag

Optional

string

The payroll period start date in the format DD/MM/YYYY or YYYY-MM-DD depending on your Eurecia locale configuration .

startDate

Optional

string

The vacation request status id. Possible values : NEW, SENT, ACCEPTED, REJECTED, CANCELED, MORE_INFO, TO_CANCELED, CANCELED_BEFORE_VALIDATION

vacationStatus

Optional

Response example : Vacation type GET/VacationType/{idVacationType}
The response model for the Vacation type service.

<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<eureciaResponse>
    <vacationType>
        <userCreate>[email protected]</userCreate>
        <dateCreate>2006-08-03T11:42:11+02:00</dateCreate>
        <userUpdate>[email protected]</userUpdate>
        <dateUpdate>2010-10-27T18:40:19+02:00</dateUpdate>
        <id>
            <idType>818cb3c20cd2fb40010cd36956d50026</idType>
            <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
            <accessUrl>https://api.eurecia.com/rest/v1/ExpensesReport/dbf9905318f67aff011909d79c872b20[.]818cb3c20cd2fb40010cd36956d50026</accessUrl>
        </id>
        <hasPeriod>true</hasPeriod>
        <hasPeriod>0</hasPeriod>
        <isActive>true</isActive>
        <hasPeriod>true</hasPeriod>
        <hasPeriod>false</hasPeriod>
        <rights>false</rights>
        <totalHoursPerDay>7.5</totalHoursPerDay>
        <requestDeadline>0</requestDeadline>
        <isBlockingDeadline>true</isBlockingDeadline>
        <TotalDaysAutoAcceptDeadline>0</TotalDaysAutoAcceptDeadline>
        <autoAcceptDeadline>false</autoAcceptDeadline>
        <hasPeriod>false</hasPeriod>
        <maxDaysPerYear>-1.0</maxDaysPerYear>
        <displayInPayroll>true</displayInPayroll>
        <minVacationHoursAuthorized>00:00:00</minVacationHoursAuthorized>
        <minVacationDaysAuthorized>1.0</minVacationDaysAuthorized>
        <validationRules></validationRules>
        <nbCorrectiveDays>0.0</nbCorrectiveDays>
        <correctiveImpact>true</correctiveImpact>
        <nbConsecutiveHoursAuthorized>00:00:00</nbConsecutiveHoursAuthorized>
        <proratedNbConsecutive>false</proratedNbConsecutive>
        <colorPlanning>#44a9d0</colorPlanning>
        <flagSpecialUsersOnly>false</flagSpecialUsersOnly>
        <flagSynthesisDisplay;>false</flagSynthesisDisplay;>
        <flagActiveWorkflow>true</flagActiveWorkflow>
        <flagActiveCancellationWorkflow>false</flagActiveCancellationWorkflow>
        <timeUnit>days</timeUnit>
        <businessDays>calendar_days</businessDays>
        <flagAutoWeekDays>false</flagAutoWeekDays>
        <flagOverTimeMgt>false</flagOverTimeMgt>
        <displayInTimesheet>false</displayInTimesheet>
        <flagDisableExpensesReport>false</flagDisableExpensesReport>
        <flagIsPresentDay>false</flagIsPresentDay>
        <displayRequesterCommentInPlanning>false</displayRequesterCommentInPlanning>
        <flagSeniorityVacation>false</flagSeniorityVacation>
        <periodOfSeniorityAccumulation>period_taken</periodOfSeniorityAccumulation>
        <flagManagePreApproval>false</flagManagePreApproval>
        <hideInPlanningSupHierarchical>false</hideInPlanningSupHierarchical>
        <forceFillAttachedFile>false</forceFillAttachedFile>
        <descriptions>
            <description>
                <shortDescription>Cong고sans solde</shortDescription>
            </description>
            <description>
                <shortDescription>Non paid leave</shortDescription>
            </description>
        </descriptions>
    </vacationType>
</eureciaResponse>

					

Vacation type

The vacation type specified by an id : idCompany[.]idVacationType


Test console
Description
Parameter
string

The id of the requested vacation type.
Example: dbf9905318f67aff011909d79c872b20[.]3b7b19-4845-4a-8ad6-173432

Required

Response example : Vacation type list model GET/VacationType
The response model for the Vacation type list service.


<eureciaResponse>
    <totalElementsFound>18</totalElementsFound>
    <startPadding>10</startPadding>
    <endPadding>12</endPadding>
    <list>
        <item 
            xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="vacationType">
            <userCreate>[email protected]</userCreate>
            <dateCreate>2006-08-03T11:42:11+02:00</dateCreate>
            <userUpdate>[email protected]</userUpdate>
            <dateUpdate>2010-10-27T18:40:19+02:00</dateUpdate>
            <id>
                <idType>818cb3c20cd2fb40010cd36956d50026</idType>
                <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                <accessUrl>https://api.eurecia.com/rest/v1/ExpensesReport/dbf9905318f67aff011909d79c872b20[.]818cb3c20cd2fb40010cd36956d50026</accessUrl>
            </id>
            <hasPeriod>true</hasPeriod>
            <hasPeriod>0</hasPeriod>
            <isActive>true</isActive>
            <hasPeriod>true</hasPeriod>
            <hasPeriod>false</hasPeriod>
            <rights>false</rights>
            <totalHoursPerDay>7.5</totalHoursPerDay>
            <requestDeadline>0</requestDeadline>
            <isBlockingDeadline>true</isBlockingDeadline>
            <TotalDaysAutoAcceptDeadline>0</TotalDaysAutoAcceptDeadline>
            <autoAcceptDeadline>false</autoAcceptDeadline>
            <hasPeriod>false</hasPeriod>
            <maxDaysPerYear>-1.0</maxDaysPerYear>
            <displayInPayroll>true</displayInPayroll>
            <minVacationHoursAuthorized>00:00:00</minVacationHoursAuthorized>
            <minVacationDaysAuthorized>1.0</minVacationDaysAuthorized>
            <validationRules></validationRules>
            <nbCorrectiveDays>0.0</nbCorrectiveDays>
            <correctiveImpact>true</correctiveImpact>
            <nbConsecutiveHoursAuthorized>00:00:00</nbConsecutiveHoursAuthorized>
            <proratedNbConsecutive>false</proratedNbConsecutive>
            <colorPlanning>#44a9d0</colorPlanning>
            <flagSpecialUsersOnly>false</flagSpecialUsersOnly>
            <flagSynthesisDisplay;>false</flagSynthesisDisplay;>
            <flagActiveWorkflow>true</flagActiveWorkflow>
            <flagActiveCancellationWorkflow>false</flagActiveCancellationWorkflow>
            <timeUnit>days</timeUnit>
            <businessDays>calendar_days</businessDays>
            <flagAutoWeekDays>false</flagAutoWeekDays>
            <flagOverTimeMgt>false</flagOverTimeMgt>
            <displayInTimesheet>false</displayInTimesheet>
            <flagDisableExpensesReport>false</flagDisableExpensesReport>
            <flagIsPresentDay>false</flagIsPresentDay>
            <displayRequesterCommentInPlanning>false</displayRequesterCommentInPlanning>
            <flagSeniorityVacation>false</flagSeniorityVacation>
            <periodOfSeniorityAccumulation>period_taken</periodOfSeniorityAccumulation>
            <flagManagePreApproval>false</flagManagePreApproval>
            <hideInPlanningSupHierarchical>false</hideInPlanningSupHierarchical>
            <forceFillAttachedFile>false</forceFillAttachedFile>
            <descriptions>
                <description>
                    <shortDescription>Conges sans solde</shortDescription>
                </description>
                <description>
                    <shortDescription>Non paid leave</shortDescription>
                </description>
            </descriptions>
        </item>
        <item 
            xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="vacationType">
            <userCreate>[email protected]</userCreate>
            <dateCreate>2008-10-16T09:07:00+02:00</dateCreate>
            <userUpdate>[email protected]</userUpdate>
            <dateUpdate>2010-11-08T14:42:56+01:00</dateUpdate>
            <id>
                <idType>dbf9d1aa1ceb06da011d047a90203270</idType>
                <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                <accessUrl>https://api.eurecia.com/rest/v1/ExpensesReport/dbf9905318f67aff011909d79c872b20[.]dbf9d1aa1ceb06da011d047a90203270</accessUrl>
            </id>
            <hasPeriod>true</hasPeriod>
            <hasPeriod>0</hasPeriod>
            <isActive>true</isActive>
            <hasPeriod>true</hasPeriod>
            <hasPeriod>false</hasPeriod>
            <rights>false</rights>
            <totalHoursPerDay>7.5</totalHoursPerDay>
            <requestDeadline>2</requestDeadline>
            <isBlockingDeadline>true</isBlockingDeadline>
            <TotalDaysAutoAcceptDeadline>0</TotalDaysAutoAcceptDeadline>
            <autoAcceptDeadline>false</autoAcceptDeadline>
            <hasPeriod>false</hasPeriod>
            <maxDaysPerYear>-1.0</maxDaysPerYear>
            <displayInPayroll>false</displayInPayroll>
            <minVacationHoursAuthorized>00:00:00</minVacationHoursAuthorized>
            <minVacationDaysAuthorized>0.5</minVacationDaysAuthorized>
            <validationRules></validationRules>
            <nbCorrectiveDays>0.0</nbCorrectiveDays>
            <correctiveImpact>false</correctiveImpact>
            <nbConsecutiveHoursAuthorized>00:00:00</nbConsecutiveHoursAuthorized>
            <proratedNbConsecutive>false</proratedNbConsecutive>
            <colorPlanning>#FF66FF</colorPlanning>
            <flagSpecialUsersOnly>false</flagSpecialUsersOnly>
            <flagSynthesisDisplay;>false</flagSynthesisDisplay;>
            <flagActiveWorkflow>true</flagActiveWorkflow>
            <flagActiveCancellationWorkflow>false</flagActiveCancellationWorkflow>
            <timeUnit>days</timeUnit>
            <businessDays>calendar_days</businessDays>
            <flagAutoWeekDays>false</flagAutoWeekDays>
            <flagOverTimeMgt>false</flagOverTimeMgt>
            <displayInTimesheet>false</displayInTimesheet>
            <flagDisableExpensesReport>false</flagDisableExpensesReport>
            <flagIsPresentDay>true</flagIsPresentDay>
            <displayRequesterCommentInPlanning>false</displayRequesterCommentInPlanning>
            <flagSeniorityVacation>false</flagSeniorityVacation>
            <periodOfSeniorityAccumulation>period_taken</periodOfSeniorityAccumulation>
            <flagManagePreApproval>false</flagManagePreApproval>
            <hideInPlanningSupHierarchical>false</hideInPlanningSupHierarchical>
            <forceFillAttachedFile>false</forceFillAttachedFile>
            <descriptions>
                <description>
                    <shortDescription>Business trip</shortDescription>
                </description>
                <description>
                    <shortDescription>Deplacement professionnel</shortDescription>
                </description>
            </descriptions>
        </item>
    </list>
</eureciaResponse>

					

Vacation request list

The list of vacation type filtered according to the parameters


Test console
Description
Parameter
string

Vacation types are sent packed by 50, startPadding defines the row number of the first returned item
Example: 0

startPadding

Optional

string

endPadding defines the row number of the last returned item.
Example: 10

endPadding

Optional

string

The company id which the vacation type depends on.
Example: dbf9905318f67aff011909d79c872b20

idCompany

Optional

Response example : Vacation accumulation model GET/VacationAccumulation/{idVacationAccumulation}
The response model for the Vacation accumulation service.

<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<eureciaResponse>
    <vacationAccumulation>
        <userCreate>[email protected]</userCreate>
        <dateCreate>2018-06-01T03:01:22+02:00</dateCreate>
        <userUpdate>[email protected]</userUpdate>
        <dateUpdate>2018-09-30T03:00:50+02:00</dateUpdate>
        <id>
            <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
            <idUser>dbf990531995b12d011995e950b91879</idUser>
            <idAccumulation>31b75711-1ec9-4e8e-ac4e-616e0b15a346</idAccumulation>
            <idVacationType>402880830cce6036010cce77e5fd0025</idVacationType>
            <idCompanyType>dbf9905318f67aff011909d79c872b20</idCompanyType>
            <yearOfEnd>2019</yearOfEnd>
        </id>
        <nbCumulatedUnits>8.25149</nbCumulatedUnits>
        <nbUsedUnits>0.0</nbUsedUnits>
        <nbLostUnits>0.0</nbLostUnits>
        <nbUnworkedDaysToTake>0.0</nbUnworkedDaysToTake>
        <accumulationTrackings>
            <accumulationTracking>
                <idVacationAccumulationTracking>ebb21895-2e44-450a-9be3-c58845862064</idVacationAccumulationTracking>
                <modificationDate>2018-06-01T03:01:22+02:00</modificationDate>
                <description>Init</description>
                <cumulatedDays>0.0</cumulatedDays>
                <takenDays>0.0</takenDays>
                <unworkedDays>0.0</unworkedDays>
                <lostUnits>0.0</lostUnits>
                <timeUnit>days</timeUnit>
                <actor>[email protected]</actor>
            </accumulationTracking>
            <accumulationTracking>
                <idVacationAccumulationTracking>bcfb802a-bc2a-4763-acc9-0805d245a739</idVacationAccumulationTracking>
                <modificationDate>2018-06-30T03:01:19+02:00</modificationDate>
                <description>juin</description>
                <cumulatedDays>2.08</cumulatedDays>
                <takenDays>0.0</takenDays>
                <unworkedDays>0.0</unworkedDays>
                <lostUnits>0.0</lostUnits>
                <timeUnit>days</timeUnit>
                <actor>[email protected]</actor>
            </accumulationTracking>
            <accumulationTracking>
                <idVacationAccumulationTracking>3fb97ed4-ab69-41f7-a930-29bceed7ae34</idVacationAccumulationTracking>
                <modificationDate>2018-07-31T03:01:22+02:00</modificationDate>
                <description>juillet</description>
                <cumulatedDays>2.08</cumulatedDays>
                <takenDays>0.0</takenDays>
                <unworkedDays>0.0</unworkedDays>
                <lostUnits>0.0</lostUnits>
                <timeUnit>days</timeUnit>
                <actor>[email protected]</actor>
            </accumulationTracking>
            <accumulationTracking>
                <idVacationAccumulationTracking>cb8904a7-f7ee-4ec7-9819-01c74af66141</idVacationAccumulationTracking>
                <modificationDate>2018-08-06T01:32:37+02:00</modificationDate>
                <description>Impact correctif Maladie 02/08/2018 - 05/08/2018 (1/4 jour(s) pris en compte) </description>
                <cumulatedDays>-0.06851</cumulatedDays>
                <takenDays>0.0</takenDays>
                <unworkedDays>0.0</unworkedDays>
                <lostUnits>0.0</lostUnits>
                <timeUnit>days</timeUnit>
                <actor>[email protected]</actor>
            </accumulationTracking>
            <accumulationTracking>
                <idVacationAccumulationTracking>7250cfa4-b26d-4849-b803-760763be8ce7</idVacationAccumulationTracking>
                <modificationDate>2018-08-31T03:01:47+02:00</modificationDate>
                <description>août</description>
                <cumulatedDays>2.08</cumulatedDays>
                <takenDays>0.0</takenDays>
                <unworkedDays>0.0</unworkedDays>
                <lostUnits>0.0</lostUnits>
                <timeUnit>days</timeUnit>
                <actor>[email protected]</actor>
            </accumulationTracking>
            <accumulationTracking>
                <idVacationAccumulationTracking>5e081519-1b87-4611-b7c2-dc7d7785527c</idVacationAccumulationTracking>
                <modificationDate>2018-09-30T03:00:50+02:00</modificationDate>
                <description>septembre</description>
                <cumulatedDays>2.08</cumulatedDays>
                <takenDays>0.0</takenDays>
                <unworkedDays>0.0</unworkedDays>
                <lostUnits>0.0</lostUnits>
                <timeUnit>days</timeUnit>
                <actor>[email protected]</actor>
            </accumulationTracking>
        </accumulationTrackings>
    </vacationAccumulation>
</eureciaResponse>
					

Vacation accumulation

The vacation accumulation (or tracker) specified by an id : idAccumulation[.]idCompany[.]idVacationType[.]idCompanyType[.]idUser[.]yearOfEnd

The id can be built based on a vacation accumulation returned by the Vacation Accumulation list web service. For instance:


            <id>
                <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                <idUser>dbf990531995b12d011995e950b91879</idUser>
                <idAccumulation>31b75711-1ec9-4e8e-ac4e-616e0b15a346</idAccumulation>
                <idVacationType>402880830cce6036010cce77e5fd0025</idVacationType>
                <idCompanyType>dbf9905318f67aff011909d79c872b20</idCompanyType>
                <yearOfEnd>2019</yearOfEnd>
            </id>
						


Test console
Description
Parameter
string

The id of the requested vacation accumulation.
Example: 31b75711-1ec9-4e8e-ac4e-616e0b15a346[.] dbf9905318f67aff011909d79c872b20[.] 402880830cce6036010cce77e5fd0025[.] dbf9905318f67aff011909d79c872b20[.] dbf990531995b12d011995e950b91879[.]2019

idVacationAccumulation

Required

Response example : Vacation accumulation list model GET/VacationAccumulation
The response model for the Vacation accumulation list service.

<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<eureciaResponse>
    <totalElementsFound>13</totalElementsFound>
    <startPadding>0</startPadding>
    <endPadding>3</endPadding>
    <list>
        <item xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="vacationAccumulation">
            <userCreate>[email protected]</userCreate>
            <dateCreate>2018-06-01T03:01:22+02:00</dateCreate>
            <userUpdate>[email protected]</userUpdate>
            <dateUpdate>2018-09-30T03:00:50+02:00</dateUpdate>
            <id>
                <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                <idUser>dbf990531995b12d011995e950b91879</idUser>
                <idAccumulation>31b75711-1ec9-4e8e-ac4e-616e0b15a346</idAccumulation>
                <idVacationType>402880830cce6036010cce77e5fd0025</idVacationType>
                <idCompanyType>dbf9905318f67aff011909d79c872b20</idCompanyType>
                <yearOfEnd>2019</yearOfEnd>
            </id>
            <nbCumulatedUnits>8.25149</nbCumulatedUnits>
            <nbUsedUnits>0.0</nbUsedUnits>
            <nbLostUnits>0.0</nbLostUnits>
            <nbUnworkedDaysToTake>0.0</nbUnworkedDaysToTake>
            <accumulationTrackings>
                <accumulationTracking>
                    <idVacationAccumulationTracking>ebb21895-2e44-450a-9be3-c58845862064</idVacationAccumulationTracking>
                    <modificationDate>2018-06-01T03:01:22+02:00</modificationDate>
                    <description>Init</description>
                    <cumulatedDays>0.0</cumulatedDays>
                    <takenDays>0.0</takenDays>
                    <unworkedDays>0.0</unworkedDays>
                    <lostUnits>0.0</lostUnits>
                    <timeUnit>days</timeUnit>
                    <actor>[email protected]</actor>
                </accumulationTracking>
                <accumulationTracking>
                    <idVacationAccumulationTracking>bcfb802a-bc2a-4763-acc9-0805d245a739</idVacationAccumulationTracking>
                    <modificationDate>2018-06-30T03:01:19+02:00</modificationDate>
                    <description>juin</description>
                    <cumulatedDays>2.08</cumulatedDays>
                    <takenDays>0.0</takenDays>
                    <unworkedDays>0.0</unworkedDays>
                    <lostUnits>0.0</lostUnits>
                    <timeUnit>days</timeUnit>
                    <actor>[email protected]</actor>
                </accumulationTracking>
                <accumulationTracking>
                    <idVacationAccumulationTracking>3fb97ed4-ab69-41f7-a930-29bceed7ae34</idVacationAccumulationTracking>
                    <modificationDate>2018-07-31T03:01:22+02:00</modificationDate>
                    <description>juillet</description>
                    <cumulatedDays>2.08</cumulatedDays>
                    <takenDays>0.0</takenDays>
                    <unworkedDays>0.0</unworkedDays>
                    <lostUnits>0.0</lostUnits>
                    <timeUnit>days</timeUnit>
                    <actor>[email protected]</actor>
                </accumulationTracking>
                <accumulationTracking>
                    <idVacationAccumulationTracking>cb8904a7-f7ee-4ec7-9819-01c74af66141</idVacationAccumulationTracking>
                    <modificationDate>2018-08-06T01:32:37+02:00</modificationDate>
                    <description>Impact correctif Maladie 02/08/2018 - 05/08/2018 (1/4 jour(s) pris en compte) </description>
                    <cumulatedDays>-0.06851</cumulatedDays>
                    <takenDays>0.0</takenDays>
                    <unworkedDays>0.0</unworkedDays>
                    <lostUnits>0.0</lostUnits>
                    <timeUnit>days</timeUnit>
                    <actor>[email protected]</actor>
                </accumulationTracking>
                <accumulationTracking>
                    <idVacationAccumulationTracking>7250cfa4-b26d-4849-b803-760763be8ce7</idVacationAccumulationTracking>
                    <modificationDate>2018-08-31T03:01:47+02:00</modificationDate>
                    <description>août</description>
                    <cumulatedDays>2.08</cumulatedDays>
                    <takenDays>0.0</takenDays>
                    <unworkedDays>0.0</unworkedDays>
                    <lostUnits>0.0</lostUnits>
                    <timeUnit>days</timeUnit>
                    <actor>[email protected]</actor>
                </accumulationTracking>
                <accumulationTracking>
                    <idVacationAccumulationTracking>5e081519-1b87-4611-b7c2-dc7d7785527c</idVacationAccumulationTracking>
                    <modificationDate>2018-09-30T03:00:50+02:00</modificationDate>
                    <description>septembre</description>
                    <cumulatedDays>2.08</cumulatedDays>
                    <takenDays>0.0</takenDays>
                    <unworkedDays>0.0</unworkedDays>
                    <lostUnits>0.0</lostUnits>
                    <timeUnit>days</timeUnit>
                    <actor>[email protected]</actor>
                </accumulationTracking>
            </accumulationTrackings>
        </item>
        <item xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="vacationAccumulation">
            <userCreate>[email protected]</userCreate>
            <dateCreate>2015-01-14T16:41:03+01:00</dateCreate>
            <userUpdate>[email protected]</userUpdate>
            <dateUpdate>2015-01-14T16:42:26+01:00</dateUpdate>
            <id>
                <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                <idUser>dbf990531995b12d011995e950b91879</idUser>
                <idAccumulation>9057d043-885d-4d4d-ac7e-c09e02292aa3</idAccumulation>
                <idVacationType>dbf990531219cfc601121e7350dc16b0</idVacationType>
                <idCompanyType>dbf9905318f67aff011909d79c872b20</idCompanyType>
                <yearOfEnd>0</yearOfEnd>
            </id>
            <nbCumulatedUnits>2.25</nbCumulatedUnits>
            <nbUsedUnits>0.0</nbUsedUnits>
            <nbLostUnits>0.0</nbLostUnits>
            <numberOfUnworkedDays>0.0</numberOfUnworkedDays>
            <accumulationTrackings>
                <accumulationTracking>
                    <idVacationAccumulationTracking>4cb5e136-7bf7-430a-8de3-e4117c273976</idVacationAccumulationTracking>
                    <modificationDate>2015-01-14T16:41:03+01:00</modificationDate>
                    <description>Init</description>
                    <cumulatedDays>0.0</cumulatedDays>
                    <takenDays>0.0</takenDays>
                    <unworkedDays>0.0</unworkedDays>
                    <lostUnits>0.0</lostUnits>
                    <timeUnit>days</timeUnit>
                    <actor>[email protected]</actor>
                </accumulationTracking>
                <accumulationTracking>
                    <idVacationAccumulationTracking>13292dc4-6fe0-4c69-8bd8-8469e8b21f8b</idVacationAccumulationTracking>
                    <modificationDate>2015-01-14T16:41:03+01:00</modificationDate>
                    <description>Transfert de 1.0 jour(s) de Congés payés 2014</description>
                    <cumulatedDays>1.0</cumulatedDays>
                    <takenDays>0.0</takenDays>
                    <unworkedDays>0.0</unworkedDays>
                    <lostUnits>0.0</lostUnits>
                    <timeUnit>days</timeUnit>
                    <actor>[email protected]</actor>
                </accumulationTracking>
                <accumulationTracking>
                    <idVacationAccumulationTracking>fe3af6f2-ab5b-4d05-953f-df35a0a37089</idVacationAccumulationTracking>
                    <modificationDate>2015-01-14T16:41:36+01:00</modificationDate>
                    <description>Validation Hélène LEBLANC 23/01/2015 - 23/01/2015</description>
                    <cumulatedDays>0.0</cumulatedDays>
                    <takenDays>-1.0</takenDays>
                    <unworkedDays>0.0</unworkedDays>
                    <lostUnits>0.0</lostUnits>
                    <timeUnit>days</timeUnit>
                    <actor>[email protected]</actor>
                </accumulationTracking>
                <accumulationTracking>
                    <idVacationAccumulationTracking>7fc78896-2eeb-4912-8434-9ccbd48596a3</idVacationAccumulationTracking>
                    <modificationDate>2015-01-14T16:42:26+01:00</modificationDate>
                    <description>Annulation Hélène LEBLANC 23/01/2015 - 23/01/2015</description>
                    <cumulatedDays>0.0</cumulatedDays>
                    <takenDays>1.0</takenDays>
                    <unworkedDays>0.0</unworkedDays>
                    <lostUnits>0.0</lostUnits>
                    <timeUnit>days</timeUnit>
                    <actor>[email protected]</actor>
                </accumulationTracking>
                <accumulationTracking>
                    <idVacationAccumulationTracking>42a58d83-9afb-4374-ba98-38bff8428289</idVacationAccumulationTracking>
                    <modificationDate>2017-01-17T10:24:24+01:00</modificationDate>
                    <description>Transfert de 1.0 jour(s) de RTT 2016</description>
                    <cumulatedDays>1.25</cumulatedDays>
                    <takenDays>0.0</takenDays>
                    <unworkedDays>0.0</unworkedDays>
                    <lostUnits>0.0</lostUnits>
                    <timeUnit>days</timeUnit>
                    <actor>[email protected]</actor>
                </accumulationTracking>
            </accumulationTrackings>
        </item>
        <item xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="vacationAccumulation">
            <userCreate>[email protected]</userCreate>
            <dateCreate>2017-06-01T03:05:44+02:00</dateCreate>
            <userUpdate>[email protected]</userUpdate>
            <dateUpdate>2018-09-03T19:05:38+02:00</dateUpdate>
            <id>
                <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                <idUser>dbf990531995b12d011995e950b91879</idUser>
                <idAccumulation>49a82c38-eab5-4708-86b3-d51030c47a6b</idAccumulation>
                <idVacationType>402880830cce6036010cce77e5fd0025</idVacationType>
                <idCompanyType>dbf9905318f67aff011909d79c872b20</idCompanyType>
                <yearOfEnd>2018</yearOfEnd>
            </id>
            <nbCumulatedUnits>25.0</nbCumulatedUnits>
            <nbUsedUnits>11.5</nbUsedUnits>
            <nbLostUnits>0.0</nbLostUnits>
            <nbUnworkedDaysToTake>0.0</nbUnworkedDaysToTake>
            <numberOfUnworkedDays>0.0</numberOfUnworkedDays>
            <accumulationTrackings>
                <accumulationTracking>
                    <idVacationAccumulationTracking>04c5c0be-2860-4960-810d-ff30b18ce219</idVacationAccumulationTracking>
                    <modificationDate>2017-06-01T03:05:44+02:00</modificationDate>
                    <description>Init</description>
                    <cumulatedDays>0.0</cumulatedDays>
                    <takenDays>0.0</takenDays>
                    <unworkedDays>0.0</unworkedDays>
                    <lostUnits>0.0</lostUnits>
                    <timeUnit>days</timeUnit>
                    <actor>[email protected]</actor>
                </accumulationTracking>
                <accumulationTracking>
                    <idVacationAccumulationTracking>dcdb016f-6293-4b4e-9784-1b03b36d5df1</idVacationAccumulationTracking>
                    <modificationDate>2017-06-30T03:03:17+02:00</modificationDate>
                    <description>juin</description>
                    <cumulatedDays>2.08</cumulatedDays>
                    <takenDays>0.0</takenDays>
                    <unworkedDays>0.0</unworkedDays>
                    <lostUnits>0.0</lostUnits>
                    <timeUnit>days</timeUnit>
                    <actor>[email protected]</actor>
                </accumulationTracking>
                <accumulationTracking>
                    <idVacationAccumulationTracking>3bc9e8a5-cebb-4984-8c4c-3cd2855a593f</idVacationAccumulationTracking>
                    <modificationDate>2017-07-31T03:01:44+02:00</modificationDate>
                    <description>juillet</description>
                    <cumulatedDays>2.08</cumulatedDays>
                    <takenDays>0.0</takenDays>
                    <unworkedDays>0.0</unworkedDays>
                    <lostUnits>0.0</lostUnits>
                    <timeUnit>days</timeUnit>
                    <actor>[email protected]</actor>
                </accumulationTracking>
                <accumulationTracking>
                    <idVacationAccumulationTracking>e49520a0-2221-4ca0-98c8-e54baf179445</idVacationAccumulationTracking>
                    <modificationDate>2017-08-31T03:05:49+02:00</modificationDate>
                    <description>août</description>
                    <cumulatedDays>2.08</cumulatedDays>
                    <takenDays>0.0</takenDays>
                    <unworkedDays>0.0</unworkedDays>
                    <lostUnits>0.0</lostUnits>
                    <timeUnit>days</timeUnit>
                    <actor>[email protected]</actor>
                </accumulationTracking>
                <accumulationTracking>
                    <idVacationAccumulationTracking>48cddc33-c2a0-4f86-9bc1-88728fa9013c</idVacationAccumulationTracking>
                    <modificationDate>2017-09-30T03:28:51+02:00</modificationDate>
                    <description>septembre</description>
                    <cumulatedDays>2.08</cumulatedDays>
                    <takenDays>0.0</takenDays>
                    <unworkedDays>0.0</unworkedDays>
                    <lostUnits>0.0</lostUnits>
                    <timeUnit>days</timeUnit>
                    <actor>[email protected]</actor>
                </accumulationTracking>
                <accumulationTracking>
                    <idVacationAccumulationTracking>ea71e104-72b2-48f5-beca-8c1f304c33ff</idVacationAccumulationTracking>
                    <modificationDate>2017-10-31T03:30:56+01:00</modificationDate>
                    <description>octobre</description>
                    <cumulatedDays>2.08</cumulatedDays>
                    <takenDays>0.0</takenDays>
                    <unworkedDays>0.0</unworkedDays>
                    <lostUnits>0.0</lostUnits>
                    <timeUnit>days</timeUnit>
                    <actor>[email protected]</actor>
                </accumulationTracking>
                <accumulationTracking>
                    <idVacationAccumulationTracking>a5577ed0-c358-44c5-9c27-ee7d9bc4483f</idVacationAccumulationTracking>
                    <modificationDate>2017-11-30T02:01:21+01:00</modificationDate>
                    <description>novembre</description>
                    <cumulatedDays>2.08</cumulatedDays>
                    <takenDays>0.0</takenDays>
                    <unworkedDays>0.0</unworkedDays>
                    <lostUnits>0.0</lostUnits>
                    <timeUnit>days</timeUnit>
                    <actor>[email protected]</actor>
                </accumulationTracking>
                <accumulationTracking>
                    <idVacationAccumulationTracking>ece27033-6085-4c40-9395-dcf0340f7e5d</idVacationAccumulationTracking>
                    <modificationDate>2017-12-28T17:57:35+01:00</modificationDate>
                    <description>Validation Laure HAGUET 26/03/2018 - 02/04/2018</description>
                    <cumulatedDays>0.0</cumulatedDays>
                    <takenDays>-4.5</takenDays>
                    <unworkedDays>0.0</unworkedDays>
                    <lostUnits>0.0</lostUnits>
                    <timeUnit>days</timeUnit>
                    <actor>[email protected]</actor>
                </accumulationTracking>
                <accumulationTracking>
                    <idVacationAccumulationTracking>5fb3dd7f-42cf-4ed3-a386-d9432cd090a8</idVacationAccumulationTracking>
                    <modificationDate>2017-12-31T02:00:00+01:00</modificationDate>
                    <description>décembre</description>
                    <cumulatedDays>2.08</cumulatedDays>
                    <takenDays>0.0</takenDays>
                    <unworkedDays>0.0</unworkedDays>
                    <lostUnits>0.0</lostUnits>
                    <timeUnit>days</timeUnit>
                    <actor>[email protected]</actor>
                </accumulationTracking>
                <accumulationTracking>
                    <idVacationAccumulationTracking>e4bb65ab-142b-4043-9728-2165ca7b5bc9</idVacationAccumulationTracking>
                    <modificationDate>2018-01-31T04:04:17+01:00</modificationDate>
                    <description>janvier</description>
                    <cumulatedDays>2.08</cumulatedDays>
                    <takenDays>0.0</takenDays>
                    <unworkedDays>0.0</unworkedDays>
                    <lostUnits>0.0</lostUnits>
                    <timeUnit>days</timeUnit>
                    <actor>[email protected]</actor>
                </accumulationTracking>
                <accumulationTracking>
                    <idVacationAccumulationTracking>e3835d28-5931-4e0a-b199-8151d089ac56</idVacationAccumulationTracking>
                    <modificationDate>2018-03-01T16:19:22+01:00</modificationDate>
                    <description>février</description>
                    <cumulatedDays>2.08</cumulatedDays>
                    <takenDays>0.0</takenDays>
                    <unworkedDays>0.0</unworkedDays>
                    <lostUnits>0.0</lostUnits>
                    <timeUnit>days</timeUnit>
                    <actor>[email protected]</actor>
                </accumulationTracking>
                <accumulationTracking>
                    <idVacationAccumulationTracking>1eae0b57-a27c-41c8-9458-a47c72606d51</idVacationAccumulationTracking>
                    <modificationDate>2018-03-31T03:01:35+02:00</modificationDate>
                    <description>mars</description>
                    <cumulatedDays>2.08</cumulatedDays>
                    <takenDays>0.0</takenDays>
                    <unworkedDays>0.0</unworkedDays>
                    <lostUnits>0.0</lostUnits>
                    <timeUnit>days</timeUnit>
                    <actor>[email protected]</actor>
                </accumulationTracking>
                <accumulationTracking>
                    <idVacationAccumulationTracking>25a93c92-957a-4f21-9542-194f1858dc0b</idVacationAccumulationTracking>
                    <modificationDate>2018-04-30T03:00:04+02:00</modificationDate>
                    <description>avril</description>
                    <cumulatedDays>2.08</cumulatedDays>
                    <takenDays>0.0</takenDays>
                    <unworkedDays>0.0</unworkedDays>
                    <lostUnits>0.0</lostUnits>
                    <timeUnit>days</timeUnit>
                    <actor>[email protected]</actor>
                </accumulationTracking>
                <accumulationTracking>
                    <idVacationAccumulationTracking>303e1641-da07-4a7a-b195-af24404cdc71</idVacationAccumulationTracking>
                    <modificationDate>2018-05-31T03:01:22+02:00</modificationDate>
                    <description>mai</description>
                    <cumulatedDays>2.12</cumulatedDays>
                    <takenDays>0.0</takenDays>
                    <unworkedDays>0.0</unworkedDays>
                    <lostUnits>0.0</lostUnits>
                    <timeUnit>days</timeUnit>
                    <actor>[email protected]</actor>
                </accumulationTracking>
                <accumulationTracking>
                    <idVacationAccumulationTracking>d05bf3d5-2bf3-4311-a817-b342119246da</idVacationAccumulationTracking>
                    <modificationDate>2018-07-02T10:02:44+02:00</modificationDate>
                    <description>Validation Laure HAGUET 27/06/2018 - 01/07/2018</description>
                    <cumulatedDays>0.0</cumulatedDays>
                    <takenDays>-3.0</takenDays>
                    <unworkedDays>0.0</unworkedDays>
                    <lostUnits>0.0</lostUnits>
                    <timeUnit>days</timeUnit>
                    <actor>[email protected]</actor>
                </accumulationTracking>
                <accumulationTracking>
                    <idVacationAccumulationTracking>c5143fe0-e4f9-47cf-ac8d-ce25d527c76e</idVacationAccumulationTracking>
                    <modificationDate>2018-08-02T09:19:05+02:00</modificationDate>
                    <description>Annulation Laure HAGUET 27/06/2018 - 01/07/2018</description>
                    <cumulatedDays>0.0</cumulatedDays>
                    <takenDays>3.0</takenDays>
                    <unworkedDays>0.0</unworkedDays>
                    <lostUnits>0.0</lostUnits>
                    <timeUnit>days</timeUnit>
                    <actor>[email protected]</actor>
                </accumulationTracking>
                <accumulationTracking>
                    <idVacationAccumulationTracking>73ca0374-579d-4c6f-bd31-cd10cb2d27d5</idVacationAccumulationTracking>
                    <modificationDate>2018-09-03T19:05:38+02:00</modificationDate>
                    <description>Validation Laure HAGUET 16/08/2018 - 26/08/2018</description>
                    <cumulatedDays>0.0</cumulatedDays>
                    <takenDays>-7.0</takenDays>
                    <unworkedDays>0.0</unworkedDays>
                    <lostUnits>0.0</lostUnits>
                    <timeUnit>days</timeUnit>
                    <actor>[email protected]</actor>
                </accumulationTracking>
            </accumulationTrackings>
        </item>
    </list>
</eureciaResponse>
					

Vacation accumulation list

The list of vacation accumulations (or team trackers) filtered according to the parameters


Test console
Description
Parameter
string

Vacation accumulations are sent packed by 50, startPadding defines the row number of the first returned item
Example: 0

startPadding

Optional

string

endPadding defines the row number of the last returned item.
Example: 10

endPadding

Optional

string

The description of the company of vacation accumulation owners.
Example: MODELE 1

descrCompany

Optional

string

The vacation type description.
Example: Congés

descrType

Optional

string

The description of the period.
Example: 2019

descrYearOfEnd

Optional

boolean

Search in active and archived users if true. Search only in the active users if false (default : false).

displayArchivedUsers

Optional

string

Search only for active team trackers if 'actif'. By default, all team trackers are searched.
Example: actif

displayWithoutProfile

Optional

string

The id of the company of vacation accumulation owners.
Example: dbf9905318f67aff011909d79c872b20

idCompany

Optional

string

the id of the department which the accumulation owner depend on.
The id is the concatenation of the company id, item number, parent item number, level and department id.
Example: 20110811-144658[.]6[.]0[.]0[.]41d4c90d32cbd292bb535e23 See useful tips for more details.

idDepartment

Optional

string

the id of the structure which the accumulation owner depend on.
The id is the concatenation of the company id, item number, parent item number, level and structure id.
Example: 20110811-144658[.]6[.]0[.]0[.]41d4c90d32cbd292bb535e23 See useful tips for more details.

idStructure

Optional

string

The id of the vacation accumulations owner.
Example: dbf9905318f67aff011909d79c872b20[.] dbf990531995b12d011995e950b91879

idUser

Optional

string

The id of the vacation type.
Example: dbf9905318f67aff011909d79c872b20[.] 402880830cce6036010cce77e5fd0025

idVacationType

Optional

string

The description of the vacation requests owner.
Example: HAGUET Laure

descrUser

Optional

integer

The period.
Example: 2019

yearOfEnd

Optional

Time Sheet

Response example : Time sheet activity model GET/TimeSheetActivity/{idActivity}
The response model for the Activity service.

<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<eureciaResponse>
    <activity>
        <userCreate></userCreate>
        <id>
            <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
            <idUser>41d4c93529279d58012927e2e1b245d0</idUser>
            <idTimeSheet>41d4c90d366e82da01366ff5fa7c238b</idTimeSheet>
            <idTimeSheetActivity>41d4c90d368114bb013682d258e913ff</idTimeSheetActivity>
        </id>
        <description>2012 Semaine 14</description>
        <descrCompany>MODELE 1</descrCompany>
        <descrDepartementCompany>Marketing & Commercial</descrDepartementCompany>
        <lastName>GUEFFIER</lastName>
        <firstName>Arthur</firstName>
        <date>2012-04-03T00:00:00+02:00</date>
        <fullDay>true</fullDay>
        <timeWorked>07:00:00</timeWorked>
        <daysWorked>1.00000</daysWorked>
        <timeSheetStatus>NEW</timeSheetStatus>
        <refundable>false</refundable>
        <timeSheetActivityItemStatus></timeSheetActivityItemStatus>
        <comment></comment>
        <imputationStructureId1>402880830caee63a010cb13378a70079</imputationStructureId1>
        <imputationStructureItemId1>402880830caee63a010cb13378a7006d</imputationStructureItemId1>
        <invoiceMode1>actualPrice</invoiceMode1>
        <axis1Descr>Client 2</axis1Descr>
        <timesheetHourlyCost1>40.0</timesheetHourlyCost1>
        <timesheetHourlySellingPrice1>57.14286</timesheetHourlySellingPrice1>
        <timesheetNbHoursRef1>0.0</timesheetNbHoursRef1>
        <timesheetDailyCost1>280.0</timesheetDailyCost1>
        <timesheetDailySellingPrice1>400.0</timesheetDailySellingPrice1>
        <timesheetNbDaysRef1>12.5</timesheetNbDaysRef1>
        <flagIsActive1>true</flagIsActive1>
        <analyticCode1>CC-M928</analyticCode1>
        <expensesBudgetRef1>5000.0</expensesBudgetRef1>
        <idCurrency1>EUR</idCurrency1>
        <itemComment1></itemComment1>
        <imputationStructureId2>402880830caee63a010cb1360fd50084</imputationStructureId2>
        <imputationStructureItemId2>402880830caee63a010cb1360fd5007a</imputationStructureItemId2>
        <invoiceMode2>actualPrice</invoiceMode2>
        <axis2Descr>Projet 6</axis2Descr>
        <timesheetHourlyCost2>0.0</timesheetHourlyCost2>
        <timesheetHourlySellingPrice2>0.0</timesheetHourlySellingPrice2>
        <timesheetNbHoursRef2>0.0</timesheetNbHoursRef2>
        <timesheetDailyCost2>0.0</timesheetDailyCost2>
        <timesheetDailySellingPrice2>0.0</timesheetDailySellingPrice2>
        <timesheetNbDaysRef2>5.0</timesheetNbDaysRef2>
        <flagIsActive2>true</flagIsActive2>
        <analyticCode2>NL-143</analyticCode2>
        <expensesBudgetRef2>3500.0</expensesBudgetRef2>
        <idCurrency2>EUR</idCurrency2>
        <itemComment2></itemComment2>
        <imputationStructureId3>dbf99af818f6814d0118f6bab4150050</imputationStructureId3>
        <imputationStructureItemId3>dbf99af818f6814d0118f6bab414004c</imputationStructureItemId3>
        <invoiceMode3>actualPrice</invoiceMode3>
        <axis3Descr>Tâche 1</axis3Descr>
        <timesheetHourlyCost3>40.0</timesheetHourlyCost3>
        <timesheetHourlySellingPrice3>51.42857</timesheetHourlySellingPrice3>
        <timesheetNbHoursRef3>0.0</timesheetNbHoursRef3>
        <timesheetDailyCost3>280.0</timesheetDailyCost3>
        <timesheetDailySellingPrice3>360.0</timesheetDailySellingPrice3>
        <timesheetNbDaysRef3>31.25</timesheetNbDaysRef3>
        <flagIsActive3>true</flagIsActive3>
        <analyticCode3>CC-X123</analyticCode3>
        <expensesBudgetRef3>11250.0</expensesBudgetRef3>
        <idCurrency3>EUR</idCurrency3>
        <itemComment3></itemComment3>
        <axis4Descr></axis4Descr>
        <timesheetHourlyCost4>0.0</timesheetHourlyCost4>
        <timesheetHourlySellingPrice4>0.0</timesheetHourlySellingPrice4>
        <timesheetNbHoursRef4>0.0</timesheetNbHoursRef4>
        <timesheetDailyCost4>0.0</timesheetDailyCost4>
        <timesheetDailySellingPrice4>0.0</timesheetDailySellingPrice4>
        <timesheetNbDaysRef4>0.0</timesheetNbDaysRef4>
        <flagIsActive4>false</flagIsActive4>
        <analyticCode4></analyticCode4>
        <expensesBudgetRef4>0.0</expensesBudgetRef4>
        <idCurrency4></idCurrency4>
        <itemComment4></itemComment4>
        <axis5Descr></axis5Descr>
        <timesheetHourlyCost5>0.0</timesheetHourlyCost5>
        <timesheetHourlySellingPrice5>0.0</timesheetHourlySellingPrice5>
        <timesheetNbHoursRef5>0.0</timesheetNbHoursRef5>
        <timesheetDailyCost5>0.0</timesheetDailyCost5>
        <timesheetDailySellingPrice5>0.0</timesheetDailySellingPrice5>
        <timesheetNbDaysRef5>0.0</timesheetNbDaysRef5>
        <flagIsActive5>false</flagIsActive5>
        <analyticCode5></analyticCode5>
        <expensesBudgetRef5>0.0</expensesBudgetRef5>
        <idCurrency5></idCurrency5>
        <itemComment5></itemComment5>
        <accessUrl>https://api.eurecia.com/eurecia/rest/v1/TimeSheetActivity/dbf9905318f67aff011909d79c872b20[.]41d4c93529279d58012927e2e1b245d0[.]41d4c90d366e82da01366ff5fa7c238b[.]41d4c90d368114bb013682d258e913ff</accessUrl>
    </activity>
</eureciaResponse>
					

Time sheet activity

The activity specified by an id : idCompany[.]idUser[.]idTimeSheet[.]idTimeSheetActivity


Test console
Description
Parameter
string

The id of the requested activity.
Example: dbf9909cdd2[.]910118d31ecd[.]40289fb2a8f[.]40288196a00df

idActivity

Required

Response example : Time sheet activity list model GET/TimeSheetActivity
The response model for the Activity list service.

<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<eureciaResponse>
    <totalElementsFound>99</totalElementsFound>
    <startPadding>60</startPadding>
    <endPadding>62</endPadding>
    <list>
        <item 
            xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="timeSheetAnalysis">
            <userCreate></userCreate>
            <id>
                <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                <idUser>41d4c93529279d58012927e3c04445f1</idUser>
                <idTimeSheet>41d4c9353128c11101313a33e5d16fcb</idTimeSheet>
                <idTimeSheetActivity>41d4c93531607f000131616d0dc96808</idTimeSheetActivity>
            </id>
            <description>2011 Semaine 29</description>
            <descrCompany>MODELE 1</descrCompany>
            <descrDepartementCompany>Marketing & Commercial</descrDepartementCompany>
            <lastName>GARNIER</lastName>
            <firstName>Sylvain</firstName>
            <date>2011-07-22T00:00:00+02:00</date>
            <fullDay>false</fullDay>
            <timeWorked>08:00:00</timeWorked>
            <daysWorked>1.00000</daysWorked>
            <timeSheetStatus>SENT</timeSheetStatus>
            <refundable>false</refundable>
            <timeSheetActivityItemStatus></timeSheetActivityItemStatus>
            <comment></comment>
            <imputationStructureId1>dbf9905318f67aff011909d79c872b20[.]402880830cce6036010cce77e5fd0025_vacation</imputationStructureId1>
            <axis1Descr>Congés payés</axis1Descr>
            <timesheetHourlyCost1>0.0</timesheetHourlyCost1>
            <timesheetHourlySellingPrice1>0.0</timesheetHourlySellingPrice1>
            <timesheetNbHoursRef1>0.0</timesheetNbHoursRef1>
            <timesheetDailyCost1>0.0</timesheetDailyCost1>
            <timesheetDailySellingPrice1>0.0</timesheetDailySellingPrice1>
            <timesheetNbDaysRef1>0.0</timesheetNbDaysRef1>
            <flagIsActive1>true</flagIsActive1>
            <analyticCode1></analyticCode1>
            <expensesBudgetRef1>0.0</expensesBudgetRef1>
            <idCurrency1></idCurrency1>
            <itemComment1></itemComment1>
            <axis2Descr></axis2Descr>
            <timesheetHourlyCost2>0.0</timesheetHourlyCost2>
            <timesheetHourlySellingPrice2>0.0</timesheetHourlySellingPrice2>
            <timesheetNbHoursRef2>0.0</timesheetNbHoursRef2>
            <timesheetDailyCost2>0.0</timesheetDailyCost2>
            <timesheetDailySellingPrice2>0.0</timesheetDailySellingPrice2>
            <timesheetNbDaysRef2>0.0</timesheetNbDaysRef2>
            <flagIsActive2>true</flagIsActive2>
            <analyticCode2></analyticCode2>
            <expensesBudgetRef2>0.0</expensesBudgetRef2>
            <idCurrency2></idCurrency2>
            <itemComment2></itemComment2>
            <axis3Descr></axis3Descr>
            <timesheetHourlyCost3>0.0</timesheetHourlyCost3>
            <timesheetHourlySellingPrice3>0.0</timesheetHourlySellingPrice3>
            <timesheetNbHoursRef3>0.0</timesheetNbHoursRef3>
            <timesheetDailyCost3>0.0</timesheetDailyCost3>
            <timesheetDailySellingPrice3>0.0</timesheetDailySellingPrice3>
            <timesheetNbDaysRef3>0.0</timesheetNbDaysRef3>
            <flagIsActive3>true</flagIsActive3>
            <analyticCode3></analyticCode3>
            <expensesBudgetRef3>0.0</expensesBudgetRef3>
            <idCurrency3></idCurrency3>
            <itemComment3></itemComment3>
            <axis4Descr></axis4Descr>
            <timesheetHourlyCost4>0.0</timesheetHourlyCost4>
            <timesheetHourlySellingPrice4>0.0</timesheetHourlySellingPrice4>
            <timesheetNbHoursRef4>0.0</timesheetNbHoursRef4>
            <timesheetDailyCost4>0.0</timesheetDailyCost4>
            <timesheetDailySellingPrice4>0.0</timesheetDailySellingPrice4>
            <timesheetNbDaysRef4>0.0</timesheetNbDaysRef4>
            <flagIsActive4>false</flagIsActive4>
            <analyticCode4></analyticCode4>
            <expensesBudgetRef4>0.0</expensesBudgetRef4>
            <idCurrency4></idCurrency4>
            <itemComment4></itemComment4>
            <axis5Descr></axis5Descr>
            <timesheetHourlyCost5>0.0</timesheetHourlyCost5>
            <timesheetHourlySellingPrice5>0.0</timesheetHourlySellingPrice5>
            <timesheetNbHoursRef5>0.0</timesheetNbHoursRef5>
            <timesheetDailyCost5>0.0</timesheetDailyCost5>
            <timesheetDailySellingPrice5>0.0</timesheetDailySellingPrice5>
            <timesheetNbDaysRef5>0.0</timesheetNbDaysRef5>
            <flagIsActive5>false</flagIsActive5>
            <analyticCode5></analyticCode5>
            <expensesBudgetRef5>0.0</expensesBudgetRef5>
            <idCurrency5></idCurrency5>
            <itemComment5></itemComment5>
            <accessUrl>https://api.eurecia.com/eurecia/rest/v1/TimeSheetActivity/dbf9905318f67aff011909d79c872b20[.]41d4c93529279d58012927e3c04445f1[.]41d4c9353128c11101313a33e5d16fcb[.]41d4c93531607f000131616d0dc96808</accessUrl>
        </item>
        <item 
            xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="timeSheetAnalysis">
            <userCreate></userCreate>
            <id>
                <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                <idUser>41d4c93529279d58012927e3c04445f1</idUser>
                <idTimeSheet>41d4c9353128c11101313a33e5d16fcb</idTimeSheet>
                <idTimeSheetActivity>41d4c93531607f000131616d0db96806</idTimeSheetActivity>
            </id>
            <description>2011 Semaine 29</description>
            <descrCompany>MODELE 1</descrCompany>
            <descrDepartementCompany>Marketing & Commercial</descrDepartementCompany>
            <lastName>GARNIER</lastName>
            <firstName>Sylvain</firstName>
            <date>2011-07-20T00:00:00+02:00</date>
            <fullDay>true</fullDay>
            <timeWorked>08:00:00</timeWorked>
            <daysWorked>1.00000</daysWorked>
            <timeSheetStatus>SENT</timeSheetStatus>
            <refundable>false</refundable>
            <timeSheetActivityItemStatus></timeSheetActivityItemStatus>
            <comment></comment>
            <imputationStructureId1>402880830caee63a010cb13378a70079</imputationStructureId1>
            <imputationStructureItemId1>402880830caee63a010cb13378a7006c</imputationStructureItemId1>
            <invoiceMode1>actualPrice</invoiceMode1>
            <axis1Descr>Client 1</axis1Descr>
            <timesheetHourlyCost1>35.0</timesheetHourlyCost1>
            <timesheetHourlySellingPrice1>45.0</timesheetHourlySellingPrice1>
            <timesheetNbHoursRef1>0.0</timesheetNbHoursRef1>
            <timesheetDailyCost1>280.0</timesheetDailyCost1>
            <timesheetDailySellingPrice1>360.0</timesheetDailySellingPrice1>
            <timesheetNbDaysRef1>31.25</timesheetNbDaysRef1>
            <flagIsActive1>true</flagIsActive1>
            <analyticCode1>CC-X123</analyticCode1>
            <expensesBudgetRef1>11250.0</expensesBudgetRef1>
            <idCurrency1>EUR</idCurrency1>
            <itemComment1></itemComment1>
            <imputationStructureId2>402880830caee63a010cb1360fd50084</imputationStructureId2>
            <imputationStructureItemId2>402880830caee63a010cb1360fd50082</imputationStructureItemId2>
            <invoiceMode2>actualPrice</invoiceMode2>
            <axis2Descr>Projet 1</axis2Descr>
            <timesheetHourlyCost2>0.0</timesheetHourlyCost2>
            <timesheetHourlySellingPrice2>62.5</timesheetHourlySellingPrice2>
            <timesheetNbHoursRef2>0.0</timesheetNbHoursRef2>
            <timesheetDailyCost2>0.0</timesheetDailyCost2>
            <timesheetDailySellingPrice2>500.0</timesheetDailySellingPrice2>
            <timesheetNbDaysRef2>100.0</timesheetNbDaysRef2>
            <flagIsActive2>true</flagIsActive2>
            <analyticCode2>PX-TYU</analyticCode2>
            <expensesBudgetRef2>50000.0</expensesBudgetRef2>
            <idCurrency2>EUR</idCurrency2>
            <itemComment2></itemComment2>
            <axis3Descr></axis3Descr>
            <timesheetHourlyCost3>0.0</timesheetHourlyCost3>
            <timesheetHourlySellingPrice3>0.0</timesheetHourlySellingPrice3>
            <timesheetNbHoursRef3>0.0</timesheetNbHoursRef3>
            <timesheetDailyCost3>0.0</timesheetDailyCost3>
            <timesheetDailySellingPrice3>0.0</timesheetDailySellingPrice3>
            <timesheetNbDaysRef3>0.0</timesheetNbDaysRef3>
            <flagIsActive3>true</flagIsActive3>
            <analyticCode3>CC-T781</analyticCode3>
            <expensesBudgetRef3>0.0</expensesBudgetRef3>
            <idCurrency3>EUR</idCurrency3>
            <itemComment3></itemComment3>
            <axis4Descr></axis4Descr>
            <timesheetHourlyCost4>0.0</timesheetHourlyCost4>
            <timesheetHourlySellingPrice4>0.0</timesheetHourlySellingPrice4>
            <timesheetNbHoursRef4>0.0</timesheetNbHoursRef4>
            <timesheetDailyCost4>0.0</timesheetDailyCost4>
            <timesheetDailySellingPrice4>0.0</timesheetDailySellingPrice4>
            <timesheetNbDaysRef4>0.0</timesheetNbDaysRef4>
            <flagIsActive4>false</flagIsActive4>
            <analyticCode4></analyticCode4>
            <expensesBudgetRef4>0.0</expensesBudgetRef4>
            <idCurrency4></idCurrency4>
            <itemComment4></itemComment4>
            <axis5Descr></axis5Descr>
            <timesheetHourlyCost5>0.0</timesheetHourlyCost5>
            <timesheetHourlySellingPrice5>0.0</timesheetHourlySellingPrice5>
            <timesheetNbHoursRef5>0.0</timesheetNbHoursRef5>
            <timesheetDailyCost5>0.0</timesheetDailyCost5>
            <timesheetDailySellingPrice5>0.0</timesheetDailySellingPrice5>
            <timesheetNbDaysRef5>0.0</timesheetNbDaysRef5>
            <flagIsActive5>false</flagIsActive5>
            <analyticCode5></analyticCode5>
            <expensesBudgetRef5>0.0</expensesBudgetRef5>
            <idCurrency5></idCurrency5>
            <itemComment5></itemComment5>
            <accessUrl>https://api.eurecia.com/eurecia/rest/v1/TimeSheetActivity/dbf9905318f67aff011909d79c872b20[.]41d4c93529279d58012927e3c04445f1[.]41d4c9353128c11101313a33e5d16fcb[.]41d4c93531607f000131616d0db96806</accessUrl>
        </item>
    </list>
</eureciaResponse>
					

Time sheet activity list

The list of activities filtered according to the parameters.


Test console
Description
Parameter
string

Activities are sent packed by 50, startPadding defines the row number of the first returned item
Example: 0

startPadding

Optional

string

endPadding defines the row number of the last returned item.
Example: 10

endPadding

Optional

string

the activity status. Possible values : NEW, SENT, ACCEPTED, REJECTED, CANCELED, MORE_INFO, TO_CANCELED, CANCELED_BEFORE_VALIDATION
Example: SENT

activityItemStatus

Optional

string

The first axi description.
Example: Project

axis1Descr

Optional

string

the second axi description.
Example: Activities

axis2Descr

Optional

string

The thrid axi description.

axis3Descr

Optional

string

The fourth axi description.

axis4Descr

Optional

string

The fifth axi description.

axis5Descr

Optional

string

The global commentaries.
Example: This time sheet is incomplete.

comment

Optional

string

The activity date specified in the format DD/MM/YYYY or YYYY-MM-DD depending on your Eurecia locale configuration
Example: 15/12/2012

date

Optional

string

The time worked in days.
Example: 1

daysWorked

Optional

string

The company description.
Example: eurecia

descrCompany

Optional

string

The description of the department of the company.
Example: RH

descrDepartementCompany

Optional

boolean

Search in archived users data if true and in the active user if false (default : false).

displayArchivedUsers

Optional

string

Filters activities ending no more late than the day specified in the format DD/MM/YYYY or YYYY-MM-DD depending on your Eurecia locale configuration .
Example: 21/12/2012

endDate

Optional

string

The company id.
Example: f5e44654f631zaefeeg4

idCompany

Optional

string

the id of the department which the timesheet owner depend on.
The id is the concatenation of the company id, item number, parent item number, level and department id.
Example: 20110811-144658[.]6[.]0[.]0[.]41d4c90d32cbd292bb535e23 See useful tips for more details.

idDepartment

Optional

string

the id of the structure which the timesheet owner depend on.
The id is the concatenation of the company id, item number, parent item number, level and structure id.
Example: 20110811-144658[.]6[.]0[.]0[.]41d4c90d32cbd292bb535e23 See useful tips for more details.

idStructure

Optional

string

The id of the activity owner
Example: f5e4f6eg4[.]41d4c9bd292

idUser

Optional

string

The project manager commentaries.
Example: I need more info to validate this activity

imputationComment

Optional

string

The imputation unit of the timesheet owning the activity. Possible values : hours, days
Example: hours

imputationUnit

Optional

string

The activity name.
Example: 20110811-144658[.]6[.]0[.]0[.]41d4c90d32cbd292bb535e23

name

Optional

string

Filters activities starting from the day specified in the format DD/MM/YYYY or YYYY-MM-DD depending on your Eurecia locale configuration .
Example: 12/12/2012

startDate

Optional

string

The time sheet description containing the activity.
Example: week 24

timeSheetDescr

Optional

string

The time sheet status id containing the activity. Possible values : NEW, SENT, ACCEPTED, REJECTED, CANCELED, MORE_INFO, TO_CANCELED, CANCELED_BEFORE_VALIDATION
Example: SENT

timeSheetStatus

Optional

string

The time worked in hours.
Example: 8

timeWorked

Optional

Response example : Time sheet model GET/TimeSheet/{idTimeSheet}
The response model for the Time sheet service.

<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<eureciaResponse>
    <timeSheet>
        <userCreate></userCreate>
        <id>
            <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
            <idUser>41d4c93529279d58012927e2e1b245d0</idUser>
            <idTimeSheet>40289fbd3b148f43013b15cbad6d2505</idTimeSheet>
        </id>
        <description>2012 Semaine 47</description>
        <startDate>2012-11-19T08:00:00+01:00</startDate>
        <endDate>2012-11-25T18:00:00+01:00</endDate>
        <status>NEW</status>
        <userCreate>[email protected]</userCreate>
        <dateCreate>2012-11-19T00:12:47+01:00</dateCreate>
        <activities/>
        <firstOpen>true</firstOpen>
        <timeSheetRequestHistories/>
        <usersCurrentOwners>
            <usersCurrentOwner>
                <id>40289fbd3b148f43013b15cbad8d2506</id>
                <userCurrentOwner>
                    <userCreate></userCreate>
                    <hasLogin>false</hasLogin>
                    <seniorityShift>0</seniorityShift>
                    <displayAnalyticalAccountInOneColumn>false</displayAnalyticalAccountInOneColumn>
                    <hasACar>false</hasACar>
                    <hasAFuelCard>false</hasAFuelCard>
                    <accessUrl>https://api.eurecia.com/eurecia/rest/v1/User/dbf9905318f67aff011909d79c872b20[.]41d4c93529279d58012927e2e1b245d0</accessUrl>
                </userCurrentOwner>
            </usersCurrentOwner>
        </usersCurrentOwners>
        <currentWorkflowLevel></currentWorkflowLevel>
        <accessUrl>https://api.eurecia.com/eurecia/rest/v1/TimeSheet/dbf9905318f67aff011909d79c872b20[.]41d4c93529279d58012927e2e1b245d0[.]40289fbd3b148f43013b15cbad6d2505</accessUrl>
    </timeSheet>
</eureciaResponse>
					

Time sheet

The time sheet specified by an id : idCompany[.]idUser[.]idTimeSheet


Test console
Description
Parameter
string

The id of the requested time sheet.
Example: dbf99a90cb7[.]dbf99a074d003d6[.]40289fbd132a05

idTimeSheet

Required

Response example : Time sheet list model GET/TimeSheet
The response model for the Time sheet list service.

<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<eureciaResponse>
    <totalElementsFound>906</totalElementsFound>
    <startPadding>60</startPadding>
    <endPadding>62</endPadding>
    <list>
        <item 
            xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="timeSheet">
            <userCreate></userCreate>
            <id>
                <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                <idUser>41d4c93529279d58012927e4f415460f</idUser>
                <idTimeSheet>40289fbd3a3290e3013a3d4bcc872dbf</idTimeSheet>
            </id>
            <description>2012 Semaine 41</description>
            <startDate>2012-10-08T08:00:00+02:00</startDate>
            <endDate>2012-10-14T18:00:00+02:00</endDate>
            <status>NEW</status>
            <userCreate>[email protected]</userCreate>
            <dateCreate>2012-10-08T00:15:08+02:00</dateCreate>
            <activities/>
            <firstOpen>true</firstOpen>
            <timeSheetRequestHistories/>
            <usersCurrentOwners>
                <usersCurrentOwner>
                    <id>40289fbd3a3290e3013a3d4bcc9f2dc0</id>
                    <userCurrentOwner>
                        <userCreate></userCreate>
                        <hasLogin>false</hasLogin>
                        <seniorityShift>0</seniorityShift>
                        <displayAnalyticalAccountInOneColumn>false</displayAnalyticalAccountInOneColumn>
                        <hasACar>false</hasACar>
                        <hasAFuelCard>false</hasAFuelCard>
                        <accessUrl>https://api.eurecia.com/eurecia/rest/v1/User/dbf9905318f67aff011909d79c872b20[.]41d4c93529279d58012927e4f415460f</accessUrl>
                    </userCurrentOwner>
                </usersCurrentOwner>
            </usersCurrentOwners>
            <currentWorkflowLevel></currentWorkflowLevel>
            <accessUrl>https://api.eurecia.com/eurecia/rest/v1/TimeSheet/dbf9905318f67aff011909d79c872b20[.]41d4c93529279d58012927e4f415460f[.]40289fbd3a3290e3013a3d4bcc872dbf</accessUrl>
        </item>
        <item 
            xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="timeSheet">
            <userCreate></userCreate>
            <id>
                <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                <idUser>41d4c93529279d58012927e95fba465b</idUser>
                <idTimeSheet>40289fbd3a3290e3013a3d4c463c2fdf</idTimeSheet>
            </id>
            <description>2012 Semaine 41</description>
            <startDate>2012-10-08T08:00:00+02:00</startDate>
            <endDate>2012-10-14T18:00:00+02:00</endDate>
            <status>NEW</status>
            <userCreate>[email protected]</userCreate>
            <dateCreate>2012-10-08T00:15:39+02:00</dateCreate>
            <activities/>
            <firstOpen>true</firstOpen>
            <timeSheetRequestHistories/>
            <usersCurrentOwners>
                <usersCurrentOwner>
                    <id>40289fbd3a3290e3013a3d4c46622fe0</id>
                    <userCurrentOwner>
                        <userCreate></userCreate>
                        <hasLogin>false</hasLogin>
                        <seniorityShift>0</seniorityShift>
                        <displayAnalyticalAccountInOneColumn>false</displayAnalyticalAccountInOneColumn>
                        <hasACar>false</hasACar>
                        <hasAFuelCard>false</hasAFuelCard>
                        <accessUrl>https://api.eurecia.com/eurecia/rest/v1/User/dbf9905318f67aff011909d79c872b20[.]41d4c93529279d58012927e95fba465b</accessUrl>
                    </userCurrentOwner>
                </usersCurrentOwner>
            </usersCurrentOwners>
            <currentWorkflowLevel></currentWorkflowLevel>
            <accessUrl>https://api.eurecia.com/eurecia/rest/v1/TimeSheet/dbf9905318f67aff011909d79c872b20[.]41d4c93529279d58012927e95fba465b[.]40289fbd3a3290e3013a3d4c463c2fdf</accessUrl>
        </item>
    </list>
</eureciaResponse>
					

Time sheet list

The list of time sheets filtered according to the parameters


Test console
Description
Parameter
string

Time sheets are sent packed by 50, startPadding defines the row number of the first returned item
Example: 0

startPadding

Optional

string

endPadding defines the row number of the last returned item.
Example: 10

endPadding

Optional

number

The total days of the "activities part" of the time sheet.

activitiesDaysTotal

Optional

number

The total hours of the "activities part" of the time sheet.

activitiesHoursTotal

Optional

string

The company description.
Example: eurecia

descrCompany

Optional

string

The time sheet description.

description

Optional

string

The description of the status

descrStatus

Optional

boolean

Search in archived users data if true and in the active user if false (default : false).

displayArchivedUsers

Optional

string

Filters time sheets ending no more late than the day specified in the format DD/MM/YYYY or YYYY-MM-DD depending on your Eurecia locale configuration .
Example: 21/12/2012

endDate

Optional

string

The company id of the time sheet owners.
Example: f5e44654f631zaefeeg4

idCompany

Optional

string

the id of the department which the timesheet owner depend on.
The id is the concatenation of the company id, item number, parent item number, level and department id.
Example: 20110811-144658[.]6[.]0[.]0[.]41d4c90d32cbd292bb535e23 See useful tips for more details.

idDepartment

Optional

string

The period during which the reports occured.
Possible values : today, yesterday, last_7_day, last_week, current_month, last_month, current_year, last_twelve_month, last_year, this_week
Example: today

idPeriod

Optional

string

The time sheet status id. Possible values : NEW, SENT, ACCEPTED, REJECTED, CANCELED, MORE_INFO, TO_CANCELED, CANCELED_BEFORE_VALIDATION

idStatus

Optional

string

the id of the structure which the timesheet owner depend on.
The id is the concatenation of the company id, item number, parent item number, level and structure id.
Example: 20110811-144658[.]6[.]0[.]0[.]41d4c90d32cbd292bb535e23 See useful tips for more details.

idStructure

Optional

string

The id of the time sheet owner
Example: f5e4f6eg4[.]41d4c9bd292

idUser

Optional

string

No description

overTimeAddToRecoveryDays

Optional

string

No description

overTimeDaysAddToRecoveryDays

Optional

string

Filters time sheets starting from the day specified in the format DD/MM/YYYY or YYYY-MM-DD depending on your Eurecia locale configuration .
Example: 12/12/2012

startDate

Optional

number

The total hours of the "times part" of the time sheet.

timesHoursTotal

Optional

string

The current actors of the report. (next validators)
Example: 20110811-144658[.]6[.]0[.]0[.]41d4c90d32cbd292bb535e23

usersCurrentOwnerName

Optional

string

The time sheet owner last name.

userLastName

Optional

string

The time sheet owner first name.

userFirstName

Optional

Response example : Budget GET/Budget/{idBudget}
The response model for the Budget service.

<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<eureciaResponse>
    <budget>
        <userCreate></userCreate>
        <dateCreate>2012-06-12T16:55:45+02:00</dateCreate>
        <id>
            <idBudget>41d4c90d37d9c5040137e13168ea1345</idBudget>
            <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
            <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
            <idImputationStructureItemLink>41d4c90d37d9c5040137e13168ea1345</idImputationStructureItemLink>
            <accessUrl>https://api.eurecia.com/rest/v1/ExpensesReport/dbf9905318f67aff011909d79c872b20[.]41d4c90d37d9c5040137e13168ea1345</accessUrl>
        </id>
        <idImputationStructureItem>dbf99af818f6814d0118f6bab415004f</idImputationStructureItem>
        <idImputationStructureItem1>402880830caee63a010cb13378a7006c</idImputationStructureItem1>
        <idImputationStructureItem2>402880830caee63a010cb1360fd50082</idImputationStructureItem2>
        <idImputationStructureItem3>dbf99af818f6814d0118f6bab415004f</idImputationStructureItem3>
        <sequenceNumber>1</sequenceNumber>
        <parentItemNumber>2</parentItemNumber>
        <itemNumber>3</itemNumber>
        <level>2</level>
        <totalProjectedHours>0.0</totalProjectedHours>
        <totalProjectedDays>6.0</totalProjectedDays>
        <projectedExpensesBudget>2400.0</projectedExpensesBudget>
        <profit>480.0</profit>
        <idStatus>open</idStatus>
    </budget>
</eureciaResponse>

					

Budget

The budget specified by an id : idCompany[.]idBudget


Test console
Description
Parameter
string

The id of the requested budget.
Example: dbf9905318f67aff011909d79c872b20[.]3b7b19-4845-4a-8ad6-173432

Required

Response example : Budget list model GET/Budget
The response model for the Budget list service.

<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<eureciaResponse>
    <totalElementsFound>4</totalElementsFound>
    <startPadding>2</startPadding>
    <endPadding>4</endPadding>
    <list>
        <item 
            xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="imputationStructureItemLink">
            <userCreate></userCreate>
            <dateCreate>2012-06-12T16:55:45+02:00</dateCreate>
            <id>
                <idBudget>41d4c90d37d9c5040137e13168ea1345</idBudget>
                <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                <idImputationStructureItemLink>41d4c90d37d9c5040137e13168ea1345</idImputationStructureItemLink>
                <accessUrl>https://api.eurecia.com/rest/v1/ExpensesReport/dbf9905318f67aff011909d79c872b20[.]41d4c90d37d9c5040137e13168ea1345</accessUrl>
            </id>
            <idImputationStructureItem>dbf99af818f6814d0118f6bab415004f</idImputationStructureItem>
            <idImputationStructureItem1>402880830caee63a010cb13378a7006c</idImputationStructureItem1>
            <idImputationStructureItem2>402880830caee63a010cb1360fd50082</idImputationStructureItem2>
            <idImputationStructureItem3>dbf99af818f6814d0118f6bab415004f</idImputationStructureItem3>
            <sequenceNumber>1</sequenceNumber>
            <parentItemNumber>2</parentItemNumber>
            <itemNumber>3</itemNumber>
            <level>2</level>
            <totalProjectedHours>0.0</totalProjectedHours>
            <totalProjectedDays>6.0</totalProjectedDays>
            <projectedExpensesBudget>2400.0</projectedExpensesBudget>
            <profit>480.0</profit>
            <idStatus>open</idStatus>
            <accountDescr>T㤨e 4</accountDescr>
        </item>
        <item 
            xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="imputationStructureItemLink">
            <userCreate></userCreate>
            <dateCreate>2012-06-12T16:57:36+02:00</dateCreate>
            <id>
                <idBudget>41d4c90d37d9c5040137e13319c01573</idBudget>
                <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                <idImputationStructureItemLink>41d4c90d37d9c5040137e13319c01573</idImputationStructureItemLink>
                <accessUrl>https://api.eurecia.com/rest/v1/ExpensesReport/dbf9905318f67aff011909d79c872b20[.]41d4c90d37d9c5040137e13319c01573</accessUrl>
            </id>
            <idImputationStructureItem>dbf99af818f6814d0118f6bab414004d</idImputationStructureItem>
            <idImputationStructureItem1>402880830caee63a010cb13378a7006c</idImputationStructureItem1>
            <idImputationStructureItem2>402880830caee63a010cb1360fd50080</idImputationStructureItem2>
            <idImputationStructureItem3>dbf99af818f6814d0118f6bab414004d</idImputationStructureItem3>
            <sequenceNumber>2</sequenceNumber>
            <parentItemNumber>2</parentItemNumber>
            <itemNumber>6</itemNumber>
            <level>2</level>
            <totalProjectedHours>0.0</totalProjectedHours>
            <totalProjectedDays>8.0</totalProjectedDays>
            <projectedExpensesBudget>3200.0</projectedExpensesBudget>
            <profit>960.0</profit>
            <idStatus>open</idStatus>
            <accountDescr>T㤨e 2</accountDescr>
        </item>
    </list>
</eureciaResponse>

					

Vacation request list

The list of budgets filtered according to the parameters


Test console
Description
Parameter
string

The description of the analytic account linked to the budget
Example: Maintenance

accountDescr

Optional

string

the id of the company which own the budget
Example: dbf9905318f67aff011909d79c872b20

idCompany

Optional

string

The id of analytic account linked to the budget
Example: 41d4c90d3429a0134336251710494

idAnalyticAccount

Optional

string

Gets all budgets under another budget which is linked to the analytic account at level 1 of arborescence
Example: 41d4c90d3429a0134336251710494

idAnalyticAccountLevel1

Optional

string

Gets all budgets under another budget which is linked to the analytic account at level 2 of arborescence
Example: 41d4c90d3429a0134336251710494

idAnalyticAccountLevel2

Optional

boolean

Gets all budgets under another budget which is linked to the analytic account at level 3 of arborescence
Example: 41d4c90d3429a0134336251710494

idAnalyticAccountLevel3

Optional

string

Gets all budgets under another budget which is linked to the analytic account at level 4 of arborescence
Example: 41d4c90d3429a0134336251710494

idAnalyticAccountLevel4

Optional

string

Gets all budgets under another budget which is linked to the analytic account at level 5 of arborescence
Example: 41d4c90d3429a0134336251710494

idAnalyticAccountLevel5

Optional

string

The budget status id. Possible values : open, closed, to_be_invoiced, invoiced
Example: open

idStatus

Optional

string

The item number of the parent budget. Root budgets parent item number is 0
Example: 1

parentBudgetItemNumber

Optional

Response example : Time sheet time model GET/TimeSheetTime/{idTimeSheetTime}
The response model for the time sheet time service.

<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<eureciaResponse>
    <timesheetTime>
        <id>9dbc6d45-285b-49c2-b5dd-0c19e5d29856</id>
        <date>2013-01-23T00:00:00+01:00</date>
        <isStandard>true</isStandard>
        <startHour>09:00:00</startHour>
        <endHour>12:00:00</endHour>
        <breakTime>00:00:00</breakTime>
        <timeWorked>03:00:00</timeWorked>
        <daysWorked>0.00000</daysWorked>
        <comment>zefzef</comment>
        <isEditable>true</isEditable>
        <anomaly>ok</anomaly>
        <accessUrl>https://api.eurecia.com/eurecia/rest/v1/TimeSheetTime/9dbc6d45-285b-49c2-b5dd-0c19e5d29856</accessUrl>
    </timesheetTime>
</eureciaResponse>
						

Time sheet time

The time sheet time specified by an id : idTimeSheetTime


Test console
Description
Parameter
string

The id of the requested time sheet time
Example: 396-7f91-4be5-8c81-3c94fe6e

idTimeSheetTime

Required

Response example : Time sheet time list model GET/TimeSheetTime
The response model for the time sheet time list service.

<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<eureciaResponse>
    <totalElementsFound>142</totalElementsFound>
    <startPadding>140</startPadding>
    <endPadding>142</endPadding>
    <list>
        <item 
            xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="timeSheet">
            <userCreate></userCreate>
            <id>
                <idCompany>eurecia</idCompany>
                <idUser>dbf9905319cdd2910119e14f98d31ecd</idUser>
                <idTimeSheet>d5e7879e-d631-4464-affd-fba8110776fd</idTimeSheet>
                <accessUrl>https://api.eurecia.com/eurecia/rest/v1/TimeSheet/eurecia[.]dbf990531910119e14f98d31ecd[.]d5e7879e-d6fd-fba8110776fd</accessUrl>
            </id>
            <times>
                <time>
                    <id>8777b396-7f91-4be5-8c81-3c94fe6e99af</id>
                    <date>2013-01-25T00:00:00+01:00</date>
                    <isStandard>true</isStandard>
                    <startHour>14:00:00</startHour>
                    <endHour>18:00:00</endHour>
                    <breakTime>00:00:00</breakTime>
                    <timeWorked>04:00:00</timeWorked>
                    <daysWorked>0.00000</daysWorked>
                    <comment>zefzef</comment>
                    <isEditable>true</isEditable>
                    <anomaly>ok</anomaly>
                    <accessUrl>https://api.eurecia.com/eurecia/rest/v1/TimeSheetTime/8777b396-7f9-3c94fe6e99af</accessUrl>
                </time>
            </times>
            <firstOpen>false</firstOpen>
        </item>
        <item 
            xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="timeSheet">
            <userCreate></userCreate>
            <id>
                <idCompany>eurecia</idCompany>
                <idUser>dbf9905319cde14f98d31ecd</idUser>
                <idTimeSheet>d5e7879e-dfd-fba8110776fd</idTimeSheet>
                <accessUrl>https://api.eurecia.com/eurecia/rest/v1/TimeSheet/eurecia[.]dbf9905319cdd29f98d31ecd[.]d5e7879e-d6318110776fd</accessUrl>
            </id>
            <times>
                <time>
                    <id>8d939718-6c32-4bc6-bce1-eb1b2923311a</id>
                    <date>2013-01-24T00:00:00+01:00</date>
                    <isStandard>true</isStandard>
                    <startHour>09:00:00</startHour>
                    <endHour>12:00:00</endHour>
                    <breakTime>00:00:00</breakTime>
                    <timeWorked>03:00:00</timeWorked>
                    <daysWorked>0.00000</daysWorked>
                    <comment>zefzef</comment>
                    <isEditable>true</isEditable>
                    <anomaly>ok</anomaly>
                    <accessUrl>https://api.eurecia.com/eurecia/rest/v1/TimeSheetTime/8d939718-bce1-eb1b2923311a</accessUrl>
                </time>
            </times>
            <firstOpen>false</firstOpen>
        </item>
    </list>
</eureciaResponse>
						

Time sheet time list

The list of time sheet times filtered according to the parameters.


Test console
Description
Parameter
string

Timesheet times are sent packed by 50, startPadding defines the row number of the first returned item
Example: 0

startPadding

Optional

string

endPadding defines the row number of the last returned item.
Example: 10

endPadding

Optional

string

the id of the department which the timesheet time's owner depend on.
The id is the concatenation of the company id, item number, parent item number, level and department id.
Example: 20110811-144658[.]6[.]0[.]0[.]41d4c90d32cbd292bb535e23 See useful tips for more details.

idDepartment

Optional

string

the id of the structure which the timesheet time's owner depend on.
The id is the concatenation of the company id, item number, parent item number, level and structure id.
Example: 20110811-144658[.]6[.]0[.]0[.]41d4c90d32cbd292bb535e23 See useful tips for more details.

idStructure

Optional

string

The id of the timesheet time's owner
Example: f5e4f6eg4[.]41d4c9bd292

idUser

Optional

Travelling & Expenses

Response example : Expenses report model GET/ExpensesReport/{idExpensesReport}
The response model for the Expense report service.

<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<eureciaResponse>
    <expensesReport>
        <userCreate>[email protected]</userCreate>
        <dateCreate>2012-04-27T12:05:03+02:00</dateCreate>
		<userUpdate>[email protected]</userUpdate>
        <dateUpdate>2012-04-27T12:05:03+02:00</dateUpdate>
        <id>
            <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
            <idUser>dbf9905318f67aff011909edbeaa3309</idUser>
            <idExpensesReport>41d4c90d36f3411e0136f342cf900134</idExpensesReport>
			<accessUrl>https://api.eurecia.com/eurecia/rest/v1/ExpensesReport/dbf9905318f67aff011909d79c872b20[.]dbf9905318f67aff011909edbeaa3309[.]41d4c90d36f3411e0136f342cf900134</accessUrl>
        </id>
        <periodStart>2012-04-27T00:00:00+02:00</periodStart>
        <periodEnd>2012-04-27T00:00:00+02:00</periodEnd>
        <description>test</description>
        <status>NEW</status>
        <totalAmountHT>60.0</totalAmountHT>
        <totalAmountVAT>0.0</totalAmountVAT>
		<totalAmountVATTreated>0.0</totalAmountVATTreated>
        <totalAmountTTC>60.0</totalAmountTTC>
        <currency>EUR</currency>
        <totalKM>0.0</totalKM>
        <totalAmountKm>0.0</totalAmountKm>
        <increment>12000001</increment>
        <fiscalPower>8</fiscalPower>
        <expenseReportItems>
            <item>
				<userCreate></userCreate>
				<dateCreate>2019-01-18T17:55:57+01:00</dateCreate>
				<id>
					<idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
					<idUser>dbf9905318f67aff011909edbeaa3309</idUser>
					<idItem>3f32ss60-2e9e-4xdf-908f-1df7fgg03e35</idItem>
				</id>
				<date>2019-01-17T00:00:00+01:00</date>
				<description>Parking aéroport déplacement Lyon</description>
				<referenceNumber>005</referenceNumber>
				<itemIncrement>152</itemIncrement>
				<description>2019Février</description>
				<descrCompany>Company</descrCompany>
				<ownerLastName>LastName</ownerLastName>
				<ownerFirstName>FirstName</ownerFirstName>
				<invoiceToImputationAccount>false</invoiceToImputationAccount>
				<amountHT>16.42</amountHT>
				<amountVAT>3.28</amountVAT>
				<amountTTC>19.7</amountTTC>
				<currency>EUR</currency>
				<idBaremReimbursementItem>re0007</idBaremReimbursementItem>
				<ttcReimbursement>19.7</ttcReimbursement>
				<reimbursmentTTCNotBusinessCard>19.7</reimbursmentTTCNotBusinessCard>
				<idBusinessCard>perso</idBusinessCard>
				<businessCardIsCompanyCard>false</businessCardIsCompanyCard>
				<businessCardDescription>Perso</businessCardDescription>
				<rateKmAdd>0.0</rateKmAdd>
				<mealVoucherEmployeePart>0.0</mealVoucherEmployeePart>
				<rateExpRepCurrency>1.0</rateExpRepCurrency>
				<rateItemCurrency>1.0</rateItemCurrency>
				<additionalFields/>
				<hasWarning>false</hasWarning>
				<vatParts>
					<vatPart>
						<rate>20.0</rate>
						<amount>3.28</amount>
					</vatPart>
				</vatParts>
			</item>
        </expenseReportItems>
        <idCompanyBaremReimbursement>dbf9905318f67aff011909d79c872b20</idCompanyBaremReimbursement>
        <idBaremReimbursement>557b34be107cd3dd01107cdd24570053</idBaremReimbursement>
        <idBusinessCardExpRep>perso</idBusinessCardExpRep>
        <totalTTCreimbursement>60.0</totalTTCreimbursement>
        <usersCurrentOwners>
            <usersCurrentOwner>
                <id>41d4c90d36f3411e0136f342d0160137</id>
                <userCurrentOwnerId>
					<idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
					<idUser>41d4c93529279d58012927e4f415460f</idUser>
					<accessUrl>https://api.eurecia.com/eurecia/rest/v1/User/dbf9905318f67aff011909d79c872b20[.]41d4c93529279d58012927e4f415460f</accessUrl>
                </userCurrentOwnerId>
            </usersCurrentOwner>
        </usersCurrentOwners>
        <expensesReportHistories>
            <expensesReportHistory>
                <id>41d4c90d36f3411e0136f342d0130136</id>
	 			<description>BERGSON John</description>
				<idStatus>NEW</idStatus>
                <dateHistory>2012-04-27T12:05:03+02:00</dateHistory>
				<commentHistory></commentHistory>
                <userId>
                    <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
					<idUser>41d4c93529279d58012927e4f415460f</idUser>
					<accessUrl>https://api.eurecia.com/eurecia/rest/v1/User/dbf9905318f67aff011909d79c872b20[.]41d4c93529279d58012927e4f415460f</accessUrl>
                </userId>
        </expensesReportHistories>
        <currentWorkflowLevel></currentWorkflowLevel>
		<mealVoucherEmployeePart>0.0</mealVoucherEmployeePart>
		<beginKmCounter>0.0</beginKmCounter>
    </expensesReport>
</eureciaResponse>
					

Expenses report

The expenses report specified by an id : idCompany[.]idUser[.]idExpensesReport


Test console
Description
Parameter
string

The id of the requested expenses report.
Example: DEM-200904027-XXCF4[.]dbf99af822549282012271dd3[.]40289fbde0130123f

idExpensesReport

Required

Response example : Expenses report list model GET/ExpensesReport
The response model for the Expenses report list service.

<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<eureciaResponse>
    <totalElementsFound>16</totalElementsFound>
    <startPadding>0</startPadding>
    <endPadding>2</endPadding>
    <list>
        <item 
            xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="expensesReport">
            <userCreate>[email protected]</userCreate>
			<dateCreate>2012-04-27T12:05:03+02:00</dateCreate>
			<userUpdate>[email protected]</userUpdate>
			<dateUpdate>2012-04-27T12:05:03+02:00</dateUpdate>
			<id>
				<idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
				<idUser>dbf9905318f67aff011909edbeaa3309</idUser>
				<idExpensesReport>41d4c90d36f3411e0136f342cf900134</idExpensesReport>
				<accessUrl>https://api.eurecia.com/eurecia/rest/v1/ExpensesReport/dbf9905318f67aff011909d79c872b20[.]dbf9905318f67aff011909edbeaa3309[.]41d4c90d36f3411e0136f342cf900134</accessUrl>
			</id>
			<periodStart>2012-04-27T00:00:00+02:00</periodStart>
			<periodEnd>2012-04-27T00:00:00+02:00</periodEnd>
			<description>test</description>
			<status>NEW</status>
			<totalAmountHT>60.0</totalAmountHT>
			<totalAmountVAT>0.0</totalAmountVAT>
			<totalAmountVATTreated>0.0</totalAmountVATTreated>
			<totalAmountTTC>60.0</totalAmountTTC>
			<currency>EUR</currency>
			<totalKM>0.0</totalKM>
			<totalAmountKm>0.0</totalAmountKm>
			<increment>12000001</increment>
			<fiscalPower>8</fiscalPower>
			<expenseReportItems>
				<item>
					<userCreate></userCreate>
					<dateCreate>2019-01-18T17:55:57+01:00</dateCreate>
					<id>
						<idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
						<idUser>dbf9905318f67aff011909edbeaa3309</idUser>
						<idItem>3f32ss60-2e9e-4xdf-908f-1df7fgg03e35</idItem>
					</id>
					<date>2019-01-17T00:00:00+01:00</date>
					<description>Parking aéroport déplacement Lyon</description>
					<referenceNumber>005</referenceNumber>
					<itemIncrement>152</itemIncrement>
					<description>2019Février</description>
					<descrCompany>Company</descrCompany>
					<ownerLastName>LastName</ownerLastName>
					<ownerFirstName>FirstName</ownerFirstName>
					<invoiceToImputationAccount>false</invoiceToImputationAccount>
					<amountHT>16.42</amountHT>
					<amountVAT>3.28</amountVAT>
					<amountTTC>19.7</amountTTC>
					<currency>EUR</currency>
					<idBaremReimbursementItem>re0007</idBaremReimbursementItem>
					<ttcReimbursement>19.7</ttcReimbursement>
					<reimbursmentTTCNotBusinessCard>19.7</reimbursmentTTCNotBusinessCard>
					<idBusinessCard>perso</idBusinessCard>
					<businessCardIsCompanyCard>false</businessCardIsCompanyCard>
					<businessCardDescription>Perso</businessCardDescription>
					<rateKmAdd>0.0</rateKmAdd>
					<mealVoucherEmployeePart>0.0</mealVoucherEmployeePart>
					<rateExpRepCurrency>1.0</rateExpRepCurrency>
					<rateItemCurrency>1.0</rateItemCurrency>
					<additionalFields/>
					<hasWarning>false</hasWarning>
					<vatParts>
						<vatPart>
							<rate>20.0</rate>
							<amount>3.28</amount>
						</vatPart>
					</vatParts>
				</item>
			</expenseReportItems>
			<idCompanyBaremReimbursement>dbf9905318f67aff011909d79c872b20</idCompanyBaremReimbursement>
			<idBaremReimbursement>557b34be107cd3dd01107cdd24570053</idBaremReimbursement>
			<idBusinessCardExpRep>perso</idBusinessCardExpRep>
			<totalTTCreimbursement>60.0</totalTTCreimbursement>
			<usersCurrentOwners>
				<usersCurrentOwner>
					<id>41d4c90d36f3411e0136f342d0160137</id>
					<userCurrentOwnerId>
						<idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
						<idUser>41d4c93529279d58012927e4f415460f</idUser>
						<accessUrl>https://api.eurecia.com/eurecia/rest/v1/User/dbf9905318f67aff011909d79c872b20[.]41d4c93529279d58012927e4f415460f</accessUrl>
					</userCurrentOwnerId>
				</usersCurrentOwner>
			</usersCurrentOwners>
			<expensesReportHistories>
				<expensesReportHistory>
					<id>41d4c90d36f3411e0136f342d0130136</id>
					<description>BERGSON John</description>
					<idStatus>NEW</idStatus>
					<dateHistory>2012-04-27T12:05:03+02:00</dateHistory>
					<commentHistory></commentHistory>
					<userId>
						<idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
						<idUser>41d4c93529279d58012927e4f415460f</idUser>
						<accessUrl>https://api.eurecia.com/eurecia/rest/v1/User/dbf9905318f67aff011909d79c872b20[.]41d4c93529279d58012927e4f415460f</accessUrl>
					</userId>
			</expensesReportHistories>
			<currentWorkflowLevel></currentWorkflowLevel>
			<mealVoucherEmployeePart>0.0</mealVoucherEmployeePart>
			<beginKmCounter>0.0</beginKmCounter>
        </item>
        <item 
            xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:type="expensesReport">
            <userCreate>[email protected]</userCreate>
            <dateCreate>2011-12-21T10:16:40+01:00</dateCreate>
            <id>
                <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
                <idUser>dbf990531995b12d011995e950b91879</idUser>
                <idExpensesReport>41d4c935345cb78301345fe882350ac4</idExpensesReport>
				<accessUrl>https://api.eurecia.com/eurecia/rest/v1/ExpensesReport/dbf9905318f67aff011909d79c872b20[.]dbf990531995b12d011995e950b91879[.]41d4c935345cb78301345fe882350ac4</accessUrl>
            </id>
            <periodStart>2011-12-01T00:00:00+01:00</periodStart>
            <periodEnd>2011-12-31T00:00:00+01:00</periodEnd>
            <description>Décembre 2011</description>
            <status>SENT</status>
            <totalAmountHT>1031.88</totalAmountHT>
            <totalAmountVAT>10.88</totalAmountVAT>
            <totalAmountTTC>1042.76</totalAmountTTC>
            <currency>EUR</currency>
            <totalKM>780.0</totalKM>
            <totalAmountKm>461.76</totalAmountKm>
            <increment>11000026</increment>
            <fiscalPower>8</fiscalPower>
            <expenseReportItems>
                <item>
                    <userCreate>...</userCreate>
                </item>
                <item>
                    <userCreate>...</userCreate>
                </item>
                <item>
                    <userCreate>...</userCreate>
                </item>
                <item>
                    <userCreate>...</userCreate>
                </item>
            </expenseReportItems>
            <idCompanyBaremReimbursement>dbf9905318f67aff011909d79c872b20</idCompanyBaremReimbursement>
            <idBaremReimbursement>557b34be107cd3dd01107cdd24570053</idBaremReimbursement>
            <idBusinessCardExpRep>perso</idBusinessCardExpRep>
            <totalTTCreimbursement>988.26</totalTTCreimbursement>
            <usersCurrentOwners>
                <usersCurrentOwner>
                    <id>41d4c935345cb78301345fe882860ac5</id>
                    <userCurrentOwnerId>
						<idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
						<idUser>dbf9905318f67aff011909edbeaa3309</idUser>
                        <accessUrl>https://api.eurecia.com/eurecia/rest/v1/User/dbf9905318f67aff011909d79c872b20[.]dbf9905318f67aff011909edbeaa3309</accessUrl>
                    </userCurrentOwner>
                </usersCurrentOwner>
            </usersCurrentOwners>
            <expensesReportHistories>
                <expensesReportHistory>
                    <id>41d4c935345cb78301345fe882860ac6</id>
                    <userId>
                        <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
						<idUser>dbf9905318f67aff011909edbeaa3309</idUser>
                        <accessUrl>https://api.eurecia.com/eurecia/rest/v1/User/dbf9905318f67aff011909d79c872b20[.]dbf9905318f67aff011909edbeaa3309</accessUrl>
                    </userId>
                    <description>BERGSON John</description>
                    <idStatus>NEW</idStatus>
                    <idStatusDescr>Création</idStatusDescr>
                    <dateHistory>2011-12-21T10:16:40+01:00</dateHistory>
                    <commentHistory></commentHistory>
                </expensesReportHistory>
                <expensesReportHistory>
                    <id>41d4c935345cb78301345fe882870ac8</id>
					<userId>
                        <idCompany>dbf9905318f67aff011909d79c872b20</idCompany>
						<idUser>dbf9905318f67aff011909edbeaa3309</idUser>
                        <accessUrl>https://api.eurecia.com/eurecia/rest/v1/User/dbf9905318f67aff011909d79c872b20[.]dbf9905318f67aff011909edbeaa3309</accessUrl>
                    </userId>
                    <description>BERGSON John</description>
                    <idStatus>SENT</idStatus>
                    <idStatusDescr>Soumise à validation</idStatusDescr>
                    <dateHistory>2011-12-21T10:16:41+01:00</dateHistory>
                    <commentHistory></commentHistory>
                </expensesReportHistory>
            </expensesReportHistories>
            <currentWorkflowLevel>1</currentWorkflowLevel>
            <submitToValidationDate>2011-12-21T10:16:40+01:00</submitToValidationDate>
            <mealVoucherEmployeePart>4.5</mealVoucherEmployeePart>
        </item>
    </list>
</eureciaResponse>
					

Expenses report list

The list of expenses reports filtered according to the parameters.


Test console
Description
Parameter
string

Expenses report are sent packed by 50, startPadding defines the row number of the first returned item
Example: 0

startPadding

Optional

string

endPadding defines the row number of the last returned item.
Example: 10

endPadding

Optional

string

The description of the company.
Example: eurecia

descrCompany

Optional

string

The description of the expenses report.
Example: 2011 July travel

description

Optional

string

The description of the status depending on your Eurecia locale configuration
Example: Remboursée

descrStatus

Optional

boolean

Search in archived users data if true and in the active user if false (default : false).

displayArchivedUsers

Optional

string

The id of the company of the requested reports.
Example: ef4ze5g4ze5g2

idCompany

Optional

string

the id of the department which the report owner depend on.
The id is the concatenation of the company id, item number, parent item number, level and department id.
Example: 20110811-144658[.]6[.]0[.]0[.]41d4c90d32cbd292bb535e23 See useful tips for more details.

idDepartment

Optional

string

The period during which the reports occured.
Possible values : today, yesterday, last_7_day, last_week, current_month, last_month, current_year, last_twelve_month, last_year, this_week
Example: today

idPeriod

Optional

string

The report status id. Possible values : NEW, SENT, ACCEPTED, REJECTED, CANCELED, MORE_INFO, TO_CANCELED, CANCELED_BEFORE_VALIDATION, TO_BE_PAYED, PAYED, MORE_INFO_FOR_EXP_REP
Example: PAYED

idStatus

Optional

string

the id of the structure which the report owner depend on.
The id is the concatenation of the company id, item number, parent item number, level and structure id.
Example: 20110811-144658[.]6[.]0[.]0[.]41d4c90d32cbd292bb535e23 See useful tips for more details.

idStructure

Optional

string

The id of the expenses report owner
Example: f5e4f6eg4[.]41d4c9bd292

idUser

Optional

string

The start of the period to filter in the format DD/MM/YYYY or YYYY-MM-DD depending on your Eurecia locale configuration
Example: 01/03/2018
The report start and end dates are considered

Example: If the period is 01/03/2018 to 31/03/2018, a report ending on 01/03 is selected. A report ending on 31/03 is also selected, as a report ending at any date after 01/03

periodStart

Optional

string

The end of the period to filter in the format DD/MM/YYYY or YYYY-MM-DD depending on your Eurecia locale configuration
Example: 31/03/2018
The report start and end dates are considered

Example: If the period is 01/03/2018 to 31/03/2018, a report starting on 31/03 is selected. A report starting on 01/03 is also selected, as a report starting at any date before 31/03

periodEnd

Optional

string

The report reference number.
Example: 12000019

referenceNumber

Optional

string

The total amount tax excluded.
Example: 300

totalHT

Optional

string

The total number of kilometers filled in the report.
Example: 560

totalKM

Optional

string

The total net reimbursement.
Example: 250

totalReimbursement

Optional

string

The tax amount.
Example: 23

totalVAT

Optional

string

The total amount tax included.
Example: 323

totalTTC

Optional

string

The first name of the report owner.
Example: John

userFirstName

Optional

string

The last name of the report owner.
Example: Doe

userLastName

Optional

string

The current actors of the report. (next validators)
Example: John Doe

usersCurrentOwnerName

Optional